blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 3
264
| content_id
stringlengths 40
40
| detected_licenses
sequencelengths 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 986
values | visit_date
timestamp[us] | revision_date
timestamp[us] | committer_date
timestamp[us] | github_id
int64 3.89k
681M
⌀ | star_events_count
int64 0
209k
| fork_events_count
int64 0
110k
| gha_license_id
stringclasses 23
values | gha_event_created_at
timestamp[us] | gha_created_at
timestamp[us] | gha_language
stringclasses 145
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 122
values | content
stringlengths 3
10.4M
| authors
sequencelengths 1
1
| author_id
stringlengths 0
158
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
3e0c4a2c0bd0683d223af4b801e1da1550775d63 | b3bfd6f3975d55828f6af3d708623fc1a7bed221 | /cppsrc/wibtw.hpp | 002d0badc617e824931758c824d87acd377a8657 | [] | no_license | alanrogers/hka | 8d196c4a74de5c36ad0fc7a0f654e7aa09e40b1a | aad5f6d7c6b9ee561baf479e0f1a275e3da7af30 | refs/heads/master | 2020-09-16T03:20:43.640769 | 2019-11-23T18:29:17 | 2019-11-23T18:29:17 | 223,634,992 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,409 | hpp | /**
@file wibtw.hpp
@brief Header for class WiBtw, which measures the differences within
and between populations on a tree.
@internal
Copyright (C) 2003 Alan R. Rogers
This program 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 2 of the
License, or (at your option) any later version.
This program is distributed in the hope that it will be useful, but
WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
Alan R. Rogers, Department of Anthropology, University of Utah,
Salt Lake City, UT 84112. [email protected]
**/
#ifndef WIBTW_HPP_INCL
#define WIBTW_HPP_INCL
#include <iosfwd>
#include <gtree/rand.hpp>
#include <gtree/epoch.hpp>
#include <gtree/pophist.hpp>
#include <gtree/treenode.hpp>
#include <gtree/genetree.hpp>
#include <gtree/infsitedf.hpp>
#include <gtree/imcoales.hpp>
#include <arrmatrix/trimat.hpp>
#include <boost/scoped_array.hpp>
#endif
#ifndef WIBTW_HPP
#define WIBTW_HPP
namespace arr_gtree {
/**
WiBtw: Calculate differences within and between populations
on a gene tree.
**/
class WiBtw {
private:
// _nPops is the number of pops. I call them pops rather than demes
// within this class because no assumption is made here about
// random mating.
unsigned _nPops;
// _hapN[i] is haploid sample size of sample from pop i.
boost::scoped_array<unsigned> _hapN;
// Size of _work vector
unsigned _workSize;
// temporary storage used in calculations
boost::scoped_array<unsigned> _work;
// _btw[i][j] (where j > i ) is the mean difference between pops
// i and j.
arr_matrix::UTriMatrix<double> _btw;
// _S[i] is the number of segregating (i.e. polymorphic) sites
// within pop i.
boost::scoped_array<unsigned> _S;
////////////////////////////////////////////////////////////////
/// Copy constructor is never defined
WiBtw(const WiBtw & rhs);
/// Assignment operator is never defined
WiBtw &
operator=(const WiBtw & rhs);
public:
/// Return the mean pairwise difference between pops i and j.
double
btw(unsigned i, unsigned j) {
assert(i < _nPops);
assert(j < _nPops);
assert(i != j);
if(j > i)
return _btw[i][j];
return _btw[j][i];
}
/// Return the number of polymorphic sites within pop i.
unsigned
wi(unsigned i) { return _S[i]; }
/// Calculate the differences wi and btw pops in a given tree
void
calcDiff(TreeNode * root) {
unsigned i, j;
memset(&_work[0], 0, _nPops * sizeof(unsigned));
memset(&_S[0], 0, _nPops * sizeof(unsigned));
_btw.zero();
traverse(root, &_work[0], &_work[_nPops]);
#ifndef NDEBUG
// On return from traverse, _work should equal _hapN.
for(i=0; i < _nPops; ++i) {
assert(_work[i] == _hapN[i]);
}
#endif
// After traverse, _btw[i][j] contains the number of
// differences between pairs of chromosomes from pops i
// and j. We need to divide the the number of pairs
// in order to make this into a mean.
for(i=0; i < _nPops; ++i)
for(j=i+1; j < _nPops; ++j)
_btw[i][j] /= _hapN[i]*_hapN[j];
}
/// Traverse tree
void
traverse(TreeNode * node, unsigned * n, unsigned * w) {
unsigned i, j;
assert(node != 0);
// At leaf
if(node->left() == 0) {
assert(node->right() == 0);
++n[node->pop()];
return;
}
// At internal node
memset(w, 0, _nPops * sizeof(unsigned));
traverse(node->left(), w, w + _nPops);
traverse(node->right(), w, w + _nPops);
// Now w[i] is the number of this node's descendants that
// are in pop i.
for(i=0; i < _nPops; ++i) {
// count mutations within each pop
if(w[i] > 0 && w[i] < _hapN[i])
_S[i] += node->nMutations();
// Count between-pop differences.
for(j=i+1; j < _nPops; ++j) {
_btw[i][j] += w[i]*(_hapN[j]-w[j])*node->nMutations();
_btw[i][j] += (_hapN[i]-w[i])*w[j]*node->nMutations();
}
}
// Increment n, which carries the counts below this node
// back up to the parent node.
for(i=0; i < _nPops; ++i)
n[i] += w[i];
}
/// Construct from nPops, the number of pops, and
/// hapN, a vector of haploid pop sample sizes.
explicit
WiBtw(unsigned nPops, unsigned * hapN)
: _nPops(nPops),
_hapN(new unsigned[nPops]),
_btw(nPops),
_S(new unsigned[nPops]) {
memcpy(&_hapN[0], hapN, _nPops * sizeof(unsigned));
// Calculate total sample size
unsigned n=0;
for(unsigned i=0; i < _nPops; ++i) {
n += _hapN[i];
}
// Allocate _work vector. The _work vector is a concatenated
// list of vectors, each of size _nPops. At worst, we
// need one _nPop-vector for each internal node and one
// for the last leaf visited. Since there are n-1 internal
// nodes, we need n vectors each of length _nPops.
_workSize = n * _nPops;
_work.reset( new unsigned[_workSize] );
}
/** Destructor */
~WiBtw(){}
};
}
#endif // WIBTW_HPP
| [
"[email protected]"
] | |
7e587c233a5032f2ecb1bc737b9630ef0001745c | 6067a2d7107150f77783952e35a17346a29cdd17 | /lib/SystemService/LogMgr.h | 20d0b82421f2b48b676d23c4f3e0a68f405836e7 | [] | no_license | SulfredLee/PcapReplay | 3d45ef8d3102077b01f5278bfcc491ec35ab72c7 | c0cf49441860cfcb9c22ef79b9dd87f4bb0c9b4f | refs/heads/master | 2021-01-01T16:58:32.332063 | 2018-04-28T14:02:19 | 2018-04-28T14:02:19 | 97,965,988 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 10,297 | h | /*
Copyright (c) 2011 Christoph Stoepel
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
*/
#pragma once
#include <boost/log/core.hpp>
#include <boost/log/trivial.hpp>
#include <boost/log/expressions.hpp>
#include <boost/log/sinks/text_file_backend.hpp>
#include <boost/log/utility/setup/file.hpp>
#include <boost/log/utility/setup/common_attributes.hpp>
#include <boost/log/sources/severity_logger.hpp>
#include <boost/log/sources/record_ostream.hpp>
#include <boost/log/expressions.hpp>
#include <boost/log/support/date_time.hpp>
#include <boost/log/attributes/attribute.hpp>
#include <boost/log/attributes/attribute_cast.hpp>
#include <boost/log/attributes/attribute_value.hpp>
#include <boost/log/attributes/mutable_constant.hpp>
#include <sstream>
#include <string>
#include <iomanip>
#include <ctime>
#include <vector>
#include <chrono>
#include <ctime>
namespace Logging
{
enum LOG_LEVEL
{
LOG_LEVEL_TRACE = 0,
LOG_LEVEL_DEBUG = 1,
LOG_LEVEL_INFO = 2,
LOG_LEVEL_WARN = 3,
LOG_LEVEL_ERROR = 4,
LOG_LEVEL_FATAL = 5
};
class CLogMessage
{
public:
std::string m_szMessage;
public:
CLogMessage(std::string szMsg) : m_szMessage(szMsg) { }
CLogMessage(const CLogMessage& msg) : m_szMessage(msg.m_szMessage) { }
CLogMessage(const char* szFormat, ...)
{
va_list args;
char buffer[2048];
va_start(args, szFormat);
vsprintf_s(buffer, szFormat, args);
//m_szMessage.FormatV(szFormat, args);
va_end(args);
m_szMessage = buffer;
}
//operator LPCTSTR() const { return (LPCTSTR)m_szMessage; }
CLogMessage& operator=(const CLogMessage& msg) { m_szMessage = msg.m_szMessage; return *this; }
bool operator==(const CLogMessage& msg) const { return std::strcmp(m_szMessage.c_str(), msg.m_szMessage.c_str()) == 0; }
};
class ILogTarget
{
public:
virtual ~ILogTarget() { }
virtual bool IsEnabled(LOG_LEVEL lvl) = 0;
virtual void Append(std::string szMsg, LOG_LEVEL lvl) = 0;
};
class CLogTargetBase : public ILogTarget
{
protected:
LOG_LEVEL m_nLevel;
public:
CLogTargetBase(LOG_LEVEL lvl) : m_nLevel(lvl) { }
virtual ~CLogTargetBase() {}
virtual bool IsEnabled(LOG_LEVEL lvl) { return m_nLevel <= lvl; }
};
class CLogTargetDebugger : public CLogTargetBase
{
public:
CLogTargetDebugger(LOG_LEVEL lvl) : CLogTargetBase(lvl) { }
virtual ~CLogTargetDebugger() { }
//virtual void Append(std::string szMsg) { ::OutputDebugString(szMsg); }
virtual void Append(std::string szMsg, LOG_LEVEL lvl)
{
//using namespace boost::log::trivial;
switch (lvl)
{
case Logging::LOG_LEVEL_TRACE:
BOOST_LOG_TRIVIAL(trace) << szMsg;
break;
case Logging::LOG_LEVEL_DEBUG:
BOOST_LOG_TRIVIAL(debug) << szMsg;
break;
case Logging::LOG_LEVEL_INFO:
BOOST_LOG_TRIVIAL(info) << szMsg;
break;
case Logging::LOG_LEVEL_WARN:
BOOST_LOG_TRIVIAL(warning) << szMsg;
break;
case Logging::LOG_LEVEL_ERROR:
BOOST_LOG_TRIVIAL(error) << szMsg;
break;
case Logging::LOG_LEVEL_FATAL:
BOOST_LOG_TRIVIAL(fatal) << szMsg;
break;
default:
break;
}
}
};
//class CLogTargetMessageBox : public CLogTargetBase
//{
//public:
// CLogTargetMessageBox(LOG_LEVEL lvl) : CLogTargetBase(lvl) { }
// virtual ~CLogTargetMessageBox() { }
// virtual void Append(std::string szMsg) { ::AtlMessageBox(NULL, szMsg); }
//};
class CLogger
{
private:
int m_dwLogStart;
std::vector<ILogTarget*> m_pTargets;
public:
CLogger()
{
m_dwLogStart = getTickCount();
boostInit();
}
~CLogger()
{
for (size_t i = 0; i<m_pTargets.size(); i++)
delete m_pTargets[i];
m_pTargets.clear();
}
void AddTarget(ILogTarget* pTarget)
{
m_pTargets.push_back(pTarget);
}
void Log(LOG_LEVEL lvl, std::string szMsg, std::string szFile, std::string szFunction, int nLine)
{
bool shouldLog = false;
for (size_t i = 0; i<m_pTargets.size(); i++)
{
if (m_pTargets[i]->IsEnabled(lvl))
{
shouldLog = true;
break; // for
}
}
if (shouldLog)
{
boost::filesystem::path p(szFile);
std::ostringstream msg;
//msg << std::setfill('0') << std::setw(6) << getTickCount() - m_dwLogStart << " ";
msg << "[" << szFunction << "] ";
msg << p.filename() << ":" << nLine << " - " << szMsg;
//std::string msg;
//msg.Format(_T("%06d [%s] %s:%d - %s"), getTickCount() - m_dwLogStart, szFunction, ::PathFindFileName(szFile), nLine, szMsg);
for (size_t i = 0; i<m_pTargets.size(); i++)
if (m_pTargets[i]->IsEnabled(lvl))
m_pTargets[i]->Append(msg.str(), lvl);
}
}
private:
unsigned getTickCount()
{
#ifdef WINDOWS
return GetTickCount();
#else
//auto t = std::chrono::system_clock::now();
using namespace std::chrono;
return duration_cast<milliseconds>(steady_clock::now().time_since_epoch()).count();
//struct timeval tv;
//gettimeofday(&tv, 0);
//return unsigned((tv.tv_sec * 1000) + (tv.tv_usec / 1000));
#endif
}
void boostInit()
{
const std::string COMMON_FMT("[%TimeStamp%][%Severity%]: %Message%");
boost::log::register_simple_formatter_factory< boost::log::trivial::severity_level, char >("Severity");
//// Output message to console
//boost::log::add_console_log(
// std::cout,
// boost::log::keywords::format = COMMON_FMT,
// boost::log::keywords::auto_flush = true
// );
// Output message to file, rotates when file reached 1mb or at midnight every day. Each log file
// is capped at 1mb and total is 20mb
boost::log::add_file_log(
boost::log::keywords::file_name = "./Log/Log_%Y%m%d_%H%M%S_%5N.log",
boost::log::keywords::rotation_size = 1 * 1024 * 1024,
boost::log::keywords::max_size = 20 * 1024 * 1024,
boost::log::keywords::time_based_rotation = boost::log::sinks::file::rotation_at_time_point(0, 0, 0),
boost::log::keywords::format = COMMON_FMT,
boost::log::keywords::open_mode = std::ios_base::app,
boost::log::keywords::auto_flush = true
);
boost::log::add_common_attributes();
// Only output message with INFO or higher severity in Release
#ifndef _DEBUG
boost::log::core::get()->set_filter(
boost::log::trivial::severity >= boost::log::trivial::info
);
#endif
}
};
class CLoggerFactory
{
private:
//static CLogger m_SingletonInstance; // TODO: write a real singleton/ factory pattern implementation
public:
static CLogger* getDefaultInstance()
{
static CLogger m_SingletonInstance;
return &m_SingletonInstance;
}
};
}
#define WIDEN2(x) L##x
#define WIDEN(x) WIDEN2(x)
#define __LOGMSG(lvl, msg, file, func, line) Logging::CLoggerFactory::getDefaultInstance()->Log(lvl, msg, file, func, line)
#ifdef UNICODE
#define LOGMSG(lvl, msg) __LOGMSG(lvl, msg, WIDEN(__FILE__), WIDEN(__FUNCSIG__), __LINE__)
#define LOGMSG_DEBUG(msg) __LOGMSG(Logging::LOG_LEVEL_DEBUG, msg, WIDEN(__FILE__), WIDEN(__FUNCTION__), __LINE__)
#define LOGMSG_INFO(msg) __LOGMSG(Logging::LOG_LEVEL_INFO, msg, WIDEN(__FILE__), WIDEN(__FUNCTION__), __LINE__)
#define LOGMSG_WARN(msg) __LOGMSG(Logging::LOG_LEVEL_WARN, msg, WIDEN(__FILE__), WIDEN(__FUNCTION__), __LINE__)
#define LOGMSG_ERROR(msg) __LOGMSG(Logging::LOG_LEVEL_ERROR, msg, WIDEN(__FILE__), WIDEN(__FUNCTION__), __LINE__)
#define LOGMSG_FATAL(msg) __LOGMSG(Logging::LOG_LEVEL_FATAL, msg, WIDEN(__FILE__), WIDEN(__FUNCTION__), __LINE__)
#else
#define LOGMSG(lvl, msg) __LOGMSG(lvl, msg, __FILE__, __FUNCSIG__, __LINE__)
#define LOGMSG_DEBUG(msg) __LOGMSG(Logging::LOG_LEVEL_DEBUG, msg, __FILE__, __FUNCTION__, __LINE__)
#define LOGMSG_INFO(msg) __LOGMSG(Logging::LOG_LEVEL_INFO, msg, __FILE__, __FUNCTION__, __LINE__)
#define LOGMSG_WARN(msg) __LOGMSG(Logging::LOG_LEVEL_WARN, msg, __FILE__, __FUNCTION__, __LINE__)
#define LOGMSG_ERROR(msg) __LOGMSG(Logging::LOG_LEVEL_ERROR, msg, __FILE__, __FUNCTION__, __LINE__)
#define LOGMSG_FATAL(msg) __LOGMSG(Logging::LOG_LEVEL_FATAL, msg, __FILE__, __FUNCTION__, __LINE__)
#endif
//class LogMgr
//{
//protected:
// boost::log::sources::severity_logger< boost::log::trivial::severity_level > m_lg;
//
// // New macro that includes severity, filename and line number
//#define CUSTOM_LOG(logger, sev) \
// BOOST_LOG_STREAM_WITH_PARAMS( \
// (logger), \
// (set_get_attrib("File", path_to_filename(__FILE__))) \
// (set_get_attrib("Line", __LINE__)) \
// (::boost::log::keywords::severity = (sev)) \
// )
//
// // Set attribute and return the new value
// template<typename ValueType>
// ValueType set_get_attrib(const char* name, ValueType value) {
// auto attr = boost::log::attribute_cast<boost::log::attributes::mutable_constant<ValueType>>(boost::log::core::get()->get_global_attributes()[name]);
// attr.set(value);
// return attr.get();
// }
//
// // Convert file path to only the filename
// std::string path_to_filename(std::string path) {
// return path.substr(path.find_last_of("/\\") + 1);
// }
//public:
// LogMgr();
// ~LogMgr();
//
// void PrintLog(boost::log::trivial::severity_level lv, const char* format, ...);
//}; | [
"[email protected]"
] | |
d497cc44ec00b8a62e6d0697d6b9f2afda1aa898 | 5f16c6abad0485bc36e436e0005f5935ddbc844d | /chrome/browser/ui/views/profiles/profile_menu_view_base.h | 674221cf2827bc04f6722e122c1e5ba90b4ee260 | [
"BSD-3-Clause"
] | permissive | michaelzenz/chromium | 836d6cb61863b8cd1089fb18554472d860eb7a86 | c5297dd9104c6861bec97c26b656c6117be47ebf | refs/heads/master | 2023-03-06T17:05:10.258088 | 2019-10-14T03:00:05 | 2019-10-14T03:00:05 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 9,736 | h | // Copyright 2019 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CHROME_BROWSER_UI_VIEWS_PROFILES_PROFILE_MENU_VIEW_BASE_H_
#define CHROME_BROWSER_UI_VIEWS_PROFILES_PROFILE_MENU_VIEW_BASE_H_
#include <stddef.h>
#include <map>
#include <memory>
#include <vector>
#include "base/macros.h"
#include "chrome/browser/profiles/profile_metrics.h"
#include "chrome/browser/ui/browser_window.h"
#include "chrome/browser/ui/views/close_bubble_on_tab_activation_helper.h"
#include "content/public/browser/web_contents_delegate.h"
#include "ui/gfx/paint_vector_icon.h"
#include "ui/views/bubble/bubble_dialog_delegate_view.h"
#include "ui/views/controls/button/button.h"
#include "ui/views/controls/link_listener.h"
#include "ui/views/controls/styled_label_listener.h"
#include "ui/views/layout/box_layout.h"
#include "ui/views/style/typography.h"
class Browser;
namespace views {
class Button;
class Label;
} // namespace views
struct AccountInfo;
class DiceSigninButtonView;
// This class provides the UI for different menus that are created by user
// clicking the avatar button.
class ProfileMenuViewBase : public content::WebContentsDelegate,
public views::BubbleDialogDelegateView,
public views::ButtonListener,
public views::StyledLabelListener,
public views::LinkListener {
public:
// MenuItems struct keeps the menu items and meta data for a group of items in
// a menu. It takes the ownership of views and passes it to the menu when menu
// is constructed.
struct MenuItems {
MenuItems();
MenuItems(MenuItems&&);
~MenuItems();
enum ItemType {
kNone,
kTitleCard,
kLabel,
kButton,
kStyledButton,
kGeneral
};
std::vector<std::unique_ptr<views::View>> items;
ItemType first_item_type;
ItemType last_item_type;
bool different_item_types;
DISALLOW_COPY_AND_ASSIGN(MenuItems);
};
enum GroupMarginSize { kNone, kTiny, kSmall, kLarge };
// Shows the bubble if one is not already showing. This allows us to easily
// make a button toggle the bubble on and off when clicked: we unconditionally
// call this function when the button is clicked and if the bubble isn't
// showing it will appear while if it is showing, nothing will happen here and
// the existing bubble will auto-close due to focus loss.
static void ShowBubble(
profiles::BubbleViewMode view_mode,
signin_metrics::AccessPoint access_point,
views::Button* anchor_button,
Browser* browser,
bool is_source_keyboard);
static bool IsShowing();
static void Hide();
static ProfileMenuViewBase* GetBubbleForTesting();
ProfileMenuViewBase(views::Button* anchor_button,
Browser* browser);
~ProfileMenuViewBase() override;
// This method is called once to add all menu items.
virtual void BuildMenu() = 0;
// API to build the profile menu.
void SetHeading(const base::string16& heading);
void SetIdentityInfo(const gfx::ImageSkia& image,
const gfx::ImageSkia& badge,
const base::string16& title,
const base::string16& subtitle = base::string16());
void SetSyncInfo(const gfx::ImageSkia& icon,
const base::string16& description,
const base::string16& clickable_text,
base::RepeatingClosure action);
void AddShortcutFeatureButton(const gfx::ImageSkia& icon,
const base::string16& text,
base::RepeatingClosure action);
void AddFeatureButton(const gfx::ImageSkia& icon,
const base::string16& text,
base::RepeatingClosure action);
void SetProfileManagementHeading(const base::string16& heading);
void AddSelectableProfile(const gfx::ImageSkia& image,
const base::string16& name,
base::RepeatingClosure action);
void AddProfileManagementShortcutFeatureButton(const gfx::ImageSkia& icon,
const base::string16& text,
base::RepeatingClosure action);
void AddProfileManagementFeatureButton(const gfx::ImageSkia& icon,
const base::string16& text,
base::RepeatingClosure action);
// 0 < |icon_to_image_ratio| <= 1 is the size ratio of |icon| in the returned
// image. E.g. a value of 0.8 means that |icon| only takes up 80% of the
// returned image, with the rest being padding around it.
gfx::ImageSkia ImageForMenu(const gfx::VectorIcon& icon,
float icon_to_image_ratio = 1.0f);
gfx::ImageSkia ColoredImageForMenu(const gfx::VectorIcon& icon,
SkColor color);
// Initializes a new group of menu items. A separator is added before them if
// |add_separator| is true.
void AddMenuGroup(bool add_separator = true);
// The following functions add different menu items to the latest menu group.
// They pass the ownership of the generated item to |menu_item_groups_| and
// return a raw pointer to the object. The ownership is transferred to the
// menu when view is repopulated from menu items.
// Please use |AddViewItem| only if none of the previous ones match.
views::Button* CreateAndAddButton(const gfx::ImageSkia& icon,
const base::string16& title,
base::RepeatingClosure action);
views::Button* CreateAndAddBlueButton(const base::string16& text,
bool md_style,
base::RepeatingClosure action);
// If |action| is null the card will be disabled.
views::Button* CreateAndAddTitleCard(std::unique_ptr<views::View> icon_view,
const base::string16& title,
const base::string16& subtitle,
base::RepeatingClosure action);
#if !defined(OS_CHROMEOS)
DiceSigninButtonView* CreateAndAddDiceSigninButton(
AccountInfo* account_info,
gfx::Image* account_icon,
base::RepeatingClosure action);
#endif
views::Label* CreateAndAddLabel(
const base::string16& text,
int text_context = views::style::CONTEXT_LABEL);
views::StyledLabel* CreateAndAddLabelWithLink(const base::string16& text,
gfx::Range link_range,
base::RepeatingClosure action);
void AddViewItem(std::unique_ptr<views::View> view);
Browser* browser() const { return browser_; }
// Return maximal height for the view after which it becomes scrollable.
// TODO(crbug.com/870303): remove when a general solution is available.
int GetMaxHeight() const;
views::Button* anchor_button() const { return anchor_button_; }
gfx::ImageSkia CreateVectorIcon(const gfx::VectorIcon& icon);
int GetDefaultIconSize();
private:
friend class ProfileMenuViewExtensionsTest;
void Reset();
void RepopulateViewFromMenuItems();
// Requests focus for a button when opened by keyboard.
virtual void FocusButtonOnKeyboardOpen() {}
// views::BubbleDialogDelegateView:
void Init() final;
void WindowClosing() override;
void OnThemeChanged() override;
int GetDialogButtons() const override;
ax::mojom::Role GetAccessibleWindowRole() override;
// content::WebContentsDelegate:
bool HandleContextMenu(content::RenderFrameHost* render_frame_host,
const content::ContextMenuParams& params) override;
// views::ButtonListener:
void ButtonPressed(views::Button* button, const ui::Event& event) final;
// views::LinkListener:
void LinkClicked(views::Link* link, int event_flags) final;
// views::StyledLabelListener:
void StyledLabelLinkClicked(views::StyledLabel* link,
const gfx::Range& range,
int event_flags) final;
// Handles all click events.
void OnClick(views::View* clickable_view);
void RegisterClickAction(views::View* clickable_view,
base::RepeatingClosure action);
// Returns the size of different margin types.
int GetMarginSize(GroupMarginSize margin_size) const;
void AddMenuItemInternal(std::unique_ptr<views::View> view,
MenuItems::ItemType item_type);
Browser* const browser_;
// ProfileMenuViewBase takes ownership of all menu_items and passes it to the
// underlying view when it is created.
std::vector<MenuItems> menu_item_groups_;
views::Button* const anchor_button_;
std::map<views::View*, base::RepeatingClosure> click_actions_;
// Component containers.
views::View* heading_container_ = nullptr;
views::View* identity_info_container_ = nullptr;
views::View* sync_info_container_ = nullptr;
views::View* shortcut_features_container_ = nullptr;
views::View* features_container_ = nullptr;
views::View* profile_mgmt_heading_container_ = nullptr;
views::View* selectable_profiles_container_ = nullptr;
views::View* profile_mgmt_shortcut_features_container_ = nullptr;
views::View* profile_mgmt_features_container_ = nullptr;
CloseBubbleOnTabActivationHelper close_bubble_helper_;
DISALLOW_COPY_AND_ASSIGN(ProfileMenuViewBase);
};
#endif // CHROME_BROWSER_UI_VIEWS_PROFILES_PROFILE_MENU_VIEW_BASE_H_
| [
"[email protected]"
] | |
f12d4eb98c4d8e5480a07277159b0d11ae140bfe | 9989ec29859d067f0ec4c7b82e6255e227bd4b54 | /atcoder.jp/abc_114/abc114_d.cpp | 9aef7ff4f01432a0d23dbdd01effc2167056460e | [] | no_license | hikko624/prog_contest | 8fa8b0e36e4272b6ad56d6506577c13f9a11c9de | 34350e2d298deb52c99680d72345ca44ab6f8849 | refs/heads/master | 2022-09-10T20:43:28.046873 | 2022-08-26T13:59:29 | 2022-08-26T13:59:29 | 217,740,540 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11 | cpp | // abc114_d | [
"[email protected]"
] | |
c389915c3cec89b3c6c1f9017e45f8d30146a837 | afed66413b03ae5b75b9e2c083166c93a1eca104 | /src/EnemySpawner.h | 045bab8b7ad649ff894de237886cb29e99b3a307 | [] | no_license | richgieg/CppND-Capstone-Project | d4d14936b124f50c077f678af91d2de06008ca64 | 7300cab67a65d92d80e3ddfbb40b97ce0b3504b1 | refs/heads/master | 2023-08-29T19:37:39.996176 | 2021-10-31T19:57:26 | 2021-10-31T19:57:26 | 423,069,617 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 380 | h | // EnemySpawner
//
// Responsible for spawning the game's enemies.
//
#ifndef _ENEMY_SPAWNER
#define _ENEMY_SPAWNER
#include "EntityPool.h"
#include "Enemy.h"
class EnemySpawner {
public:
EnemySpawner(EntityPool<Enemy> *enemies);
void update(float deltaSeconds);
private:
EntityPool<Enemy> *enemies;
float secondsSinceLastSpawn;
int totalSpawns;
};
#endif
| [
"[email protected]"
] | |
e134b39a08e6e5192151be7b719fbba6d9b98449 | af886cff5033e866c2208f2d179b88ff74d33794 | /PCSamples/IntroGraphics/SimpleBezierPC/pch.h | 8ddce2b312ce53d17b659e672b318b117e13709f | [] | permissive | tunip3/Xbox-ATG-Samples | c1d1d6c0b9f93c453733a1dada074b357bd6577a | 27e30925a46ae5777703361409b8395fed0394d3 | refs/heads/master | 2020-04-14T08:37:00.614182 | 2018-12-14T02:38:01 | 2018-12-14T02:38:01 | 163,739,353 | 3 | 0 | MIT | 2019-01-01T13:38:37 | 2019-01-01T13:38:37 | null | UTF-8 | C++ | false | false | 1,885 | h | //--------------------------------------------------------------------------------------
// pch.h
//
// Header for standard system include files.
//
// Advanced Technology Group (ATG)
// Copyright (C) Microsoft Corporation. All rights reserved.
//--------------------------------------------------------------------------------------
#pragma once
#include <WinSDKVer.h>
#define _WIN32_WINNT 0x0601
#include <SDKDDKVer.h>
// Use the C++ standard templated min/max
#define NOMINMAX
// DirectX apps don't need GDI
#define NODRAWTEXT
#define NOGDI
#define NOBITMAP
// Include <mcx.h> if you need this
#define NOMCX
// Include <winsvc.h> if you need this
#define NOSERVICE
// WinHelp is deprecated
#define NOHELP
#define WIN32_LEAN_AND_MEAN
#include <windows.h>
#include <wrl/client.h>
#include <d3d11_1.h>
#if defined(NTDDI_WIN10_RS2)
#include <dxgi1_6.h>
#else
#include <dxgi1_5.h>
#endif
#include <DirectXMath.h>
#include <DirectXColors.h>
#include <algorithm>
#include <exception>
#include <memory>
#include <stdexcept>
#include <stdio.h>
#ifdef _DEBUG
#include <dxgidebug.h>
#endif
#include "GamePad.h"
#include "Keyboard.h"
#include "Mouse.h"
#include "SimpleMath.h"
#include "SpriteBatch.h"
#include "SpriteFont.h"
namespace DX
{
// Helper class for COM exceptions
class com_exception : public std::exception
{
public:
com_exception(HRESULT hr) : result(hr) {}
virtual const char* what() const override
{
static char s_str[64] = {};
sprintf_s(s_str, "Failure with HRESULT of %08X", static_cast<unsigned int>(result));
return s_str;
}
private:
HRESULT result;
};
// Helper utility converts D3D API failures into exceptions.
inline void ThrowIfFailed(HRESULT hr)
{
if (FAILED(hr))
{
throw com_exception(hr);
}
}
} | [
"[email protected]"
] | |
91ebe9324deec3057ee14835130c6fdf09eec8ba | ca367493ee864e64534177358abd44b00be90611 | /洛谷/2330 [SCOI2005]繁忙的都市.cpp | 7986f8ffe219b5d7fe822e8b14a270692d810626 | [] | no_license | memset0/OI-Code-Old | 806a8bd6241ab62933f4767740d1c9d777730243 | 51a968f727ac76053f6ce1dcc34b21feb877db11 | refs/heads/master | 2020-03-22T17:17:45.591644 | 2018-07-17T07:20:21 | 2018-07-17T07:20:21 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 651 | cpp | #include <bits/stdc++.h>
using namespace std;
const int maxn = 310, maxm = 50010;
struct Edge {
int x, y, val;
} a[maxm];
int n, m, ans, f[maxn];
bool cmp(Edge x, Edge y) {
return x.val < y.val;
}
int find(int &x) {
if (f[x] == x) return x;
else return f[x] = find(f[x]);
}
int main() {
ios::sync_with_stdio(0);
cin >> n >> m;
for (int i = 1; i <= n; i++)
f[i] = i;
for (int i = 1; i <= m; i++)
cin >> a[i].x >> a[i].y >> a[i].val;
sort(a + 1, a + m + 1, cmp);
for (int i = 1; i <= m; i++)
if (find(a[i].x) != find(a[i].y)) {
f[find(a[i].x)] = find(a[i].y);
ans = a[i].val;
}
cout << n - 1 << " " << ans << endl;
return 0;
}
| [
"[email protected]"
] | |
c535a9702dfa10a50ef12231fa25f856debbb63d | 437738fe07fdf871dbf640fb3b27df7c17ca8ce2 | /Irvine/ch13/Encode_Inline/Encode.cpp | 02f60894298dac101d474c26a20bfaf4806af993 | [] | no_license | jameswilson281/CIS---11-Assembly-Programming | d553f93f19ec9e92285d4c7157a85201e1fe131c | 82e70b4033621daea62ab1a926198bc0e08a70c6 | refs/heads/master | 2018-09-02T12:57:58.555480 | 2018-06-04T03:22:00 | 2018-06-04T03:22:00 | 118,192,987 | 16 | 10 | null | null | null | null | UTF-8 | C++ | false | false | 980 | cpp | // ENCODE.CPP - Copy and encrypt a file.
// Updated 6/28/05
#include <iostream>
#include <fstream>
#include "translat.h"
using namespace std;
void main( int argcount, char * args[] )
{
// Read input and output files from the command line.
if( argcount < 3 ) {
cout << "Usage: encode infile outfile" << endl;
return;
}
const int BUFSIZE = 2000;
char buffer[BUFSIZE];
unsigned int count; // character count
unsigned char encryptCode;
cout << "Encryption code [0-255]? ";
cin >> encryptCode;
ifstream infile( args[1], ios::binary );
ofstream outfile( args[2], ios::binary );
cout << "Reading " << args[1] << " and creating "
<< args[2] << endl;
while (!infile.eof() )
{
infile.read(buffer, BUFSIZE );
count = infile.gcount();
__asm {
lea esi,buffer
mov ecx,count
mov al, encryptCode
L1:
xor [esi],al
inc esi
Loop L1
} // asm
outfile.write(buffer, count);
}
}
| [
"[email protected]"
] | |
2e5661df1f18c5af7c3d0d5bba703799edb8b6f7 | 9546b2c00eaefbe9eb57f4f14711214b2009dc3b | /ChronoEngineWrapper/ChronoEngineWrapper/LinkLock.h | 5cda7225a34422a0f2122557244bd67d10d6ee78 | [] | no_license | globus000/cew | 671096366385805a8f4dbe2d2f8c185edb4163cb | 13d2a3c007239c8caccab2c5198ef5e8147369e1 | refs/heads/master | 2016-09-05T09:18:55.011986 | 2015-04-26T16:45:00 | 2015-04-26T16:45:00 | 34,566,328 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 270 | h |
#pragma once
#include "stdafx.h"
#include "LinkMasked.h"
namespace cew
{
public ref class LinkLock : public LinkMasked
{
public:
LinkLock();
LinkLock(chrono::ChLinkLock* ptr);
LinkLock(const chrono::ChSharedPtr<chrono::ChLinkLock>& ptr);
~LinkLock();
};
} | [
"[email protected]"
] | |
9db4fdb2132748121468c26306151022a0fadae9 | 7a31ec782c3d4db96e39a5d5df6bc407003d67e6 | /canvas.h | 5151cda9f99a787c16ab456349ca8eb6a5308025 | [] | no_license | StudyBucket/cppong | a4f21563e190ca705945e301449a4f1ad4d0de99 | e844cfb57781fb4bc5d4176be231eb3a14435a84 | refs/heads/master | 2021-01-01T18:15:37.626551 | 2017-09-17T20:05:48 | 2017-09-17T20:05:48 | 98,290,398 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 729 | h | #ifndef CANVAS_H
#define CANVAS_H
using namespace std;
#include <QWidget>
#include <QtGui>
#include <vector>
#include <chrono>
#include <thread>
#include "globals.h"
#include "collider.h"
class Canvas : public QWidget {
public:
//INSTANCES
Canvas(QWidget *parent = 0);
~Canvas();
//FUNCTIONS
void sync(void);
private:
//INSTANCES
globals* globals = globals::instance();
Collider collider = Collider::Collider();
//VARIABLES
vector<GForm> gForms;
float displayFactor;
bool gColorSwitch;
//FUNCTIONS
void paintEvent(QPaintEvent *event);
};
#endif // CANVAS_H
| [
"[email protected]"
] | |
531fcebcafa3b8a5d57c13deb4305cee81fc3f92 | da9c4798a6e30152382eb1ba876718b51b9bd4f2 | /nowcoder/newcoder-4045/newcoder-4045.cpp | 917f40ebd48577f93b87de86f3dc31490081bd5f | [] | no_license | zivyou/labofziv | cb2b51f48b3315a8f408eafa940fdc04e1797bfa | e0319d6bc1bbb417f49275bdd07c28019e4b4089 | refs/heads/master | 2023-08-17T03:10:05.615780 | 2023-08-07T06:42:05 | 2023-08-07T06:42:05 | 6,417,825 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,916 | cpp | //https://www.nowcoder.com/pat/6/problem/4045
#include <iostream>
#include <string.h>
using namespace std;
void swap(char *a, char *b){
char t = *a;
*a = *b;
*b = t;
}
void max_sort(char *max){
int i = 0, j=0;
for (i=0; i<4; i++)
for (j=0; j<4-i-1; j++)
if (max[j] < max[j+1])
swap(&max[j], &max[j+1]);
}
void min_sort(char *max){
int i = 0, j=0;
for (i=0; i<4; i++)
for (j=0; j<4-i-1; j++)
if (max[j] > max[j+1])
swap(&max[j], &max[j+1]);
}
void sort(char *input, char *max, char *min){
memset(max, 0, 5);
memset(min, 0, 5);
strncpy(max, input, 5);
strncpy(min, input, 4);
max_sort(max);
min_sort(min);
}
void sub(char *max, char *min, char *re){
// 6123 - 4234 = 1889
int i = 3;
int jiewei[5] = {0};
char maxt[5], mint[5];
strncpy(maxt, max, 5);
strncpy(mint, min, 5);
for (i = 3;i >= 0; i--){
if (jiewei[i+1] == 1)
maxt[i] = (char) (maxt[i] - 1);
if (maxt[i] < mint[i]){
jiewei[i] = 1;
re[i] = (char) (maxt[i]-mint[i]+10+'0');
}else
re[i] = (char)(maxt[i] - mint[i]+'0');
}
}
int main(){
char input[5];
char max[5];
char min[5];
char re[5];
//sub((char *)"6123", (char *)"4234", re);
cin.getline(input, 5);
input[4] = 0;
int len = strlen(input);
if (len < 4){
int i;
for (i=3; len&&input[len-1]; i--) {
input[i] = input[len - 1];
len--;
}
int j = 0;
for (j=0; j<=i;j++)
input[j]='0';
}
strncpy(re, input, 5);
do {
sort(re, max, min);
sub(max, min, re);
cout << max << " - " << min << " = " << re << endl;
if (re[0] == re[1] && re[1] == re[2] && re[2] == re[3]) {
//cout << "N - N = 0000" << endl;
return 0;
}
} while (strcmp(re, "6174") != 0);
return 0;
}
| [
"[email protected]"
] | |
e68e7503f82f6e4edbec64a6bb6a12478c5578c8 | 5a956653560705a5d56b801e2a9f56bd6d3a742a | /playersettings.cpp | afa591f40c6ef8db4d5deb3807d05368405d6c56 | [] | no_license | AJlekceu/Parchis | d60e0b1faa797fc65645fa50d79ef51da100cce3 | 8ad3758fec0efcfd140478532f9806e256bd5ac8 | refs/heads/main | 2023-06-21T15:38:54.768789 | 2021-07-27T10:17:15 | 2021-07-27T10:17:15 | 326,989,883 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,522 | cpp | #include "playersettings.h"
#include <algorithm>
namespace parchis
{
int PlayerSettings::nextPlayerPlaying(int player) const
{
if(playersPlayingSet().empty())
return -1;
auto iter = playersPlayingSet().upper_bound(player);
return iter == playersPlayingSet().cend() ? *playersPlayingSet().cbegin() : *iter;
}
void PlayerSettings::startOver(std::vector<int> playerSideMap)
{
//TODO: size_t to int
_playerCount = playerSideMap.size();
_playerSideMap = std::move(playerSideMap);
_playersFinishedMap.assign(playerCount(), false);
_playersFinishedList.clear();
_playersPlayingSet.clear();
for(int player = 0; player < playerCount(); ++player)
_playersPlayingSet.emplace(player);
}
void PlayerSettings::setPlayerFinished(int player, bool value)
{
_playersFinishedMap.at(player) = value;
if(value)
{
if(_playersPlayingSet.find(player) != _playersPlayingSet.cend())
{
_playersFinishedList.emplace_back(player);
_playersPlayingSet.erase(player);
}
}
else
{
auto finishedListIt = std::find(_playersFinishedList.cbegin(),
_playersFinishedList.cend(),
player);
if(finishedListIt != _playersFinishedList.cend())
{
_playersFinishedList.erase(finishedListIt);
_playersPlayingSet.emplace(player);
}
}
}
}
| [
"[email protected]"
] | |
cd7810a19b3bc774d392fef4ba09c56747adde47 | 1fab37e3fbbaeb1a4fe2d4f388d71a0c03b2b9f0 | /FineNativeSDK/EngineDemo/unity3d/Build/Unity.ios/Classes/Native/GenericMethods1.cpp | 44cf46c8fde8bcd1c884e8b833aaf67b9c82fdf1 | [
"MIT"
] | permissive | Cylee1989/FineSDK | 8ad7907021c65f95ac4fe305daacad34a3f071e9 | 3e011aaf02c11b989f6566bfd27217c23d91701e | refs/heads/master | 2020-05-07T22:47:14.945633 | 2020-04-19T11:29:31 | 2020-04-19T11:29:31 | 180,956,864 | 10 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 913,235 | cpp | #include "il2cpp-config.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <cstring>
#include <string.h>
#include <stdio.h>
#include <cmath>
#include <limits>
#include <assert.h>
#include <stdint.h>
#include "il2cpp-class-internals.h"
#include "codegen/il2cpp-codegen.h"
#include "il2cpp-object-internals.h"
template <typename R, typename T1>
struct VirtFuncInvoker1
{
typedef R (*Func)(void*, T1, const RuntimeMethod*);
static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj);
return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method);
}
};
template <typename R, typename T1, typename T2>
struct VirtFuncInvoker2
{
typedef R (*Func)(void*, T1, T2, const RuntimeMethod*);
static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj, T1 p1, T2 p2)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj);
return ((Func)invokeData.methodPtr)(obj, p1, p2, invokeData.method);
}
};
struct InterfaceActionInvoker0
{
typedef void (*Action)(void*, const RuntimeMethod*);
static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface);
((Action)invokeData.methodPtr)(obj, invokeData.method);
}
};
template <typename T1>
struct InterfaceActionInvoker1
{
typedef void (*Action)(void*, T1, const RuntimeMethod*);
static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface);
((Action)invokeData.methodPtr)(obj, p1, invokeData.method);
}
};
template <typename R, typename T1, typename T2>
struct InterfaceFuncInvoker2
{
typedef R (*Func)(void*, T1, T2, const RuntimeMethod*);
static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1, T2 p2)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface);
return ((Func)invokeData.methodPtr)(obj, p1, p2, invokeData.method);
}
};
template <typename R>
struct InterfaceFuncInvoker0
{
typedef R (*Func)(void*, const RuntimeMethod*);
static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface);
return ((Func)invokeData.methodPtr)(obj, invokeData.method);
}
};
// Mono.Net.Security.AsyncProtocolRequest
struct AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027;
// Mono.Net.Security.MobileAuthenticatedStream
struct MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045;
// System.Action
struct Action_t591D2A86165F896B4B800BB5C25CE18672A55579;
// System.Action`1<System.Object>
struct Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0;
// System.ArgumentException
struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1;
// System.ArgumentNullException
struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD;
// System.ArgumentOutOfRangeException
struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA;
// System.AsyncCallback
struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4;
// System.Attribute
struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74;
// System.Boolean[]
struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040;
// System.Byte[]
struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821;
// System.Char[]
struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2;
// System.Collections.Generic.ArraySortHelper`2<System.UInt64,System.Object>
struct ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Threading.Tasks.Task>
struct Dictionary_2_t70161CFEB8DA3C79E19E31D0ED948D3C2925095F;
// System.Collections.Generic.EqualityComparer`1<System.Int32>
struct EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33;
// System.Collections.Generic.EqualityComparer`1<System.Object>
struct EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA;
// System.Collections.Generic.IComparer`1<System.Object>
struct IComparer_1_tFF77EB203CF12E843446A71A6581145AB929D681;
// System.Collections.Generic.IComparer`1<System.UInt64>
struct IComparer_1_t7E1CC88723F5E5E455D1F3D16DB58DCF4B173316;
// System.Collections.Generic.IComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock>
struct IComparer_1_t8F80D4DF6FBA578DDD5B6EAAF84A1FCDEB0828A1;
// System.Collections.Generic.IComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest>
struct IComparer_1_t8CAEE6758AF945843D758BD3DF5A1ADC2FD66EA8;
// System.Collections.Generic.IEnumerable`1<System.Object>
struct IEnumerable_1_t2F75FCBEC68AFE08982DA43985F9D04056E2BE73;
// System.Collections.Generic.IEqualityComparer`1<System.Int32>
struct IEqualityComparer_1_t7B82AA0F8B96BAAA21E36DDF7A1FE4348BDDBE95;
// System.Collections.Generic.IEqualityComparer`1<System.Object>
struct IEqualityComparer_1_tAE7A8756D8CF0882DD348DC328FB36FEE0FB7DD0;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeNamedArgument>
struct IList_1_tD431CA53D2DA04D533C85B6F283DF4535D06B9FC;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeTypedArgument>
struct IList_1_t6CC82F01278D7AA7C3DC2939506F0C54E06AAADE;
// System.Collections.Generic.IReadOnlyDictionary`2<System.Object,System.Object>
struct IReadOnlyDictionary_2_tF12AC6C54B252680968AC58C45E1522DA1C72D03;
// System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>[]
struct KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F;
// System.Collections.IDictionary
struct IDictionary_t1BD5C1546718A374EA8122FBD6C6EE45331E8CE7;
// System.Comparison`1<System.Object>
struct Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4;
// System.Converter`2<System.Object,System.Object>
struct Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979;
// System.DelegateData
struct DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE;
// System.Delegate[]
struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86;
// System.Diagnostics.StackTrace[]
struct StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196;
// System.Exception
struct Exception_t;
// System.Func`1<System.Object>
struct Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386;
// System.Func`1<System.Threading.Tasks.Task/ContingentProperties>
struct Func_1_t48C2978A48CE3F2F6EB5B6DE269D00746483BB1F;
// System.Func`2<System.Object,System.Boolean>
struct Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Boolean>>
struct Func_2_t185FBBAFD46813778C35A8D4A5FA3AFB4FC0E14C;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Int32>>
struct Func_2_tBCA034BF330CE1C3008C166BF27F309CD4C41C24;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Nullable`1<System.Int32>>>
struct Func_2_t701CADF8EBD45CB33B018417B83025C3FF39ABA3;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Object>>
struct Func_2_tDAE4310E42C13AE378CDF0371BD31D6BF4E61EBD;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult>>
struct Func_2_t9FE43757FE22F96D0EA4E7945B6D146812F2671F;
// System.IAsyncResult
struct IAsyncResult_t8E194308510B375B42432981AE5E7488C458D598;
// System.Int32Enum[]
struct Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A;
// System.Int32[]
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83;
// System.IntPtr[]
struct IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD;
// System.InvalidOperationException
struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1;
// System.Object[]
struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A;
// System.Predicate`1<System.Object>
struct Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979;
// System.Predicate`1<System.Threading.Tasks.Task>
struct Predicate_1_tF4286C34BB184CE5690FDCEBA7F09FC68D229335;
// System.Reflection.Assembly
struct Assembly_t;
// System.Reflection.Assembly/ResolveEventHolder
struct ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E;
// System.Reflection.Binder
struct Binder_t4D5CB06963501D32847C057B57157D6DC49CA759;
// System.Reflection.ConstructorInfo
struct ConstructorInfo_t9CB51BFC178DF1CBCA5FD16B2D58229618F23EFF;
// System.Reflection.CustomAttributeData/LazyCAttrData
struct LazyCAttrData_t4C5DC81EA7740306D01218D48006034D024FBA38;
// System.Reflection.CustomAttributeNamedArgument[]
struct CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828;
// System.Reflection.CustomAttributeTypedArgument[]
struct CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05;
// System.Reflection.MemberFilter
struct MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381;
// System.Reflection.MemberInfo
struct MemberInfo_t;
// System.Reflection.MethodInfo
struct MethodInfo_t;
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner
struct MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A;
// System.Runtime.CompilerServices.IAsyncStateMachine
struct IAsyncStateMachine_tEFDFBE18E061A6065AB2FF735F1425FB59F919BC;
// System.Runtime.Serialization.SafeSerializationManager
struct SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770;
// System.String
struct String_t;
// System.Threading.CancellationCallbackInfo
struct CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36;
// System.Threading.CancellationTokenSource
struct CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE;
// System.Threading.ContextCallback
struct ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676;
// System.Threading.ExecutionContext
struct ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70;
// System.Threading.ManualResetEvent
struct ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408;
// System.Threading.SemaphoreSlim
struct SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048;
// System.Threading.SemaphoreSlim/TaskNode
struct TaskNode_t2497E541C4CB8A41A55B30DFBE3A30F68B140E2D;
// System.Threading.SendOrPostCallback
struct SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01;
// System.Threading.SparselyPopulatedArrayFragment`1<System.Threading.CancellationCallbackInfo>
struct SparselyPopulatedArrayFragment_1_tA54224D01E2FDC03AC2867CDDC8C53E17FA933D7;
// System.Threading.SynchronizationContext
struct SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7;
// System.Threading.Tasks.StackGuard
struct StackGuard_tE431ED3BBD1A18705FEE6F948EBF7FA2E99D64A9;
// System.Threading.Tasks.Task
struct Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2;
// System.Threading.Tasks.Task/ContingentProperties
struct ContingentProperties_t7149A27D01507C74E8BDAAA3848B45D2644FDF08;
// System.Threading.Tasks.TaskFactory
struct TaskFactory_tF3C6D983390ACFB40B4979E225368F78006D6155;
// System.Threading.Tasks.TaskFactory`1<System.Boolean>
struct TaskFactory_1_t90DBF289FBDBB845B0FA55E1773164F06FBDEA17;
// System.Threading.Tasks.TaskFactory`1<System.Int32>
struct TaskFactory_1_t35BBF03CDA9AA94D2BE8CB805D2C764236F56CC7;
// System.Threading.Tasks.TaskFactory`1<System.Nullable`1<System.Int32>>
struct TaskFactory_1_tBDEE73CC26733B668E00E1788D332FB0D9CC209E;
// System.Threading.Tasks.TaskFactory`1<System.Object>
struct TaskFactory_1_tA50D9207CAE2C505277DD5F03CBE64700177257C;
// System.Threading.Tasks.TaskFactory`1<System.Threading.Tasks.VoidTaskResult>
struct TaskFactory_1_t3C0D0DC20C0FC00DE4F8740B351BE642467AB03D;
// System.Threading.Tasks.TaskScheduler
struct TaskScheduler_t966F2798F198FA90A0DA8EFC92BAC08297793114;
// System.Threading.Tasks.Task`1<Mono.Net.Security.AsyncProtocolResult>
struct Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD;
// System.Threading.Tasks.Task`1<System.Boolean>
struct Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439;
// System.Threading.Tasks.Task`1<System.Int32>
struct Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87;
// System.Threading.Tasks.Task`1<System.Nullable`1<System.Int32>>
struct Task_1_t8906695C9865566AA79419735634FF27AC74506E;
// System.Threading.Tasks.Task`1<System.Object>
struct Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09;
// System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>
struct Task_1_t6E4E91059C08F359F21A42B8BFA51E8BBFA47138;
// System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult>
struct Task_1_t1359D75350E9D976BFA28AD96E417450DE277673;
// System.Threading.Thread
struct Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7;
// System.Type
struct Type_t;
// System.Type[]
struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F;
// System.UInt32[]
struct UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB;
// System.UInt64[]
struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4;
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017;
// UnityEngine.BeforeRenderHelper/OrderBlock[]
struct OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101;
// UnityEngine.Camera
struct Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34;
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621;
// UnityEngine.DisallowMultipleComponent[]
struct DisallowMultipleComponentU5BU5D_t59E317D853AAC982D5D18D4C1581422FC151F7E3;
// UnityEngine.Events.UnityAction
struct UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4;
// UnityEngine.ExecuteInEditMode[]
struct ExecuteInEditModeU5BU5D_tAE8DA030BEBA505907556F161EB49FD565976C80;
// UnityEngine.Experimental.LowLevel.PlayerLoopSystem/UpdateFunction
struct UpdateFunction_tE0936D5A5B8C3367F0E6E464162E1FB1E9F304A8;
// UnityEngine.Experimental.LowLevel.PlayerLoopSystem[]
struct PlayerLoopSystemU5BU5D_t97939DCF6160BDDB681EB4155D9D1BEB1CB659A2;
// UnityEngine.GameObject
struct GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F;
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0;
// UnityEngine.Playables.PlayableBinding/CreateOutputMethod
struct CreateOutputMethod_tA7B649F49822FC5DD0B0D9F17247C73CAECB1CA3;
// UnityEngine.Playables.PlayableBinding[]
struct PlayableBindingU5BU5D_t7EB322901D51EAB67BA4F711C87F3AC1CF5D89AB;
// UnityEngine.RequireComponent[]
struct RequireComponentU5BU5D_t4295259AA991FCAA75878E4731813266CFC5351D;
// UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734;
// UnityEngine.UnitySynchronizationContext/WorkRequest[]
struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0;
extern RuntimeClass* ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var;
extern RuntimeClass* ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var;
extern RuntimeClass* ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var;
extern RuntimeClass* Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var;
extern RuntimeClass* Exception_t_il2cpp_TypeInfo_var;
extern RuntimeClass* ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var;
extern RuntimeClass* IAsyncStateMachine_tEFDFBE18E061A6065AB2FF735F1425FB59F919BC_il2cpp_TypeInfo_var;
extern RuntimeClass* ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var;
extern RuntimeClass* IDisposable_t7218B22548186B208D65EA5B7870503810A2D15A_il2cpp_TypeInfo_var;
extern RuntimeClass* IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var;
extern RuntimeClass* InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var;
extern RuntimeClass* Marshal_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_il2cpp_TypeInfo_var;
extern RuntimeClass* Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var;
extern RuntimeClass* ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var;
extern RuntimeClass* Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var;
extern RuntimeClass* TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE_il2cpp_TypeInfo_var;
extern RuntimeClass* Type_t_il2cpp_TypeInfo_var;
extern String_t* _stringLiteral04444310B8C9D216A6BC1D1CC9542ECC75BC02DF;
extern String_t* _stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A;
extern String_t* _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25;
extern String_t* _stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3;
extern String_t* _stringLiteral2C3199988097E4BB3103E8C34B8DFE8796545D8F;
extern String_t* _stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D;
extern String_t* _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
extern String_t* _stringLiteral4D04521B659A980378EBB5BDA98BC5D6300C89C8;
extern String_t* _stringLiteral5944AE25418CEABCF285DCA1D721B77888DAC89B;
extern String_t* _stringLiteral64358BBCCF8C380C05E774933982A64691BCEB28;
extern String_t* _stringLiteral828D338A9B04221C9CBE286F50CD389F68DE4ECF;
extern String_t* _stringLiteralDF235F02796A0611878A7D05162D43B2FBF7D8F3;
extern String_t* _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
extern String_t* _stringLiteralEF5C844EAB88BCACA779BD2F3AD67B573BBBBFCA;
extern String_t* _stringLiteralF18BFB74E613AFB11F36BDD80CF05CD5DFAD98D6;
extern const RuntimeMethod* Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_RuntimeMethod_var;
extern const RuntimeMethod* Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_RuntimeMethod_var;
extern const RuntimeMethod* Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_RuntimeMethod_var;
extern const RuntimeMethod* Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m35D71EC8F506ABBDEAB4DA491A0C39F130AAA398_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mA20976BDE39E7CDFAE80707F5D7B8782D2DB26F1_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m53E8625AE904443A1E1DBCCF105D4577B179F5C2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m8A9BCF051C369596DC54FFC5AF2E53311B3085AC_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m7FE4474292FC7BC61503EBAA451177566C7A11F2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m782303121097277DB87E5CF415EF0465C4B4A1B1_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mCD6665078DDF4047758A406CD953DBD6FFB70478_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA5EA9A997E687B2A740812E57305FAD0B5428F3F_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_m68307563E8A8612829E8C8D1010115AF810C2A27_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m89B0E816317A499BFFFF1F32EC99B68D1045E6C9_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m5BB4D70758EF8C6AFCFC3A0CE70EB0BA56014BDF_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_mA1993BD92A566CB774DB1DB93E022FEE3C178CE4_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_mBB9351B9A332C5E66A4C12BE34CB36FB09A0AD84_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m9AE27399BB6EC825F7276F24EECB292251BD0CB7_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_mAB5413860CB11C4079C1BB386E21AF2E0BDF3321_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m90C1DA8A90349E98D0CAE4E6E9F8B13CDD9D383F_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m39952434C44AD3DC50E3B088D2AB7BB9DF4BF6A2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_m795F49361982E404E95390015D517257EE067216_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_mECCD226E69010D2D78D319BC7F87B842E805A78E_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_mC0FBBA64A8AD9D86D56FED81BFDE1F2F06F88490_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD7D437DF6139243DC88F2B7DE2305205C2905D26_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mEFD1A61B0B41A9FFD0F040F4A1A07220F8F0CD90_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m1CF13A729DFD610EBB2D8C060C5AF62C6F1CBBE9_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisIntPtr_t_m97F983B47BBAF278F9F2B9B14AAD5D1639754C48_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m27C62570D0F265FD04FA8E6A480284B26DB44AE2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mCE86842C0F97A7F4669040429C23BF3438BDB39B_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_mD8E7932136B09DB9DEF32AA6FE217F32D860C43D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_mA6FA92FD002D406D05A07134DC2BC8135E874B3F_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mEBF0FA040E7F47BBB25F2E8B521190971A4F94BD_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m1FDA4C119EA5BEDA9E3E30256B1B1C366E3F41B1_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m1AF51A35EF6BFAFF7B2A441CBD977B4EDE3D18B2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mCBEC9342279EF9BEBF1624F73A8C3183F053E823_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_m63AAEF4BA3CC016E2F8D6A5D0EC53D359279C943_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD0FE97B15C9FA8B66BB462AA2A30F988EA03299C_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m20B1886525CDB86FF07F92A29DFF25F3C3297949_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_mC49BE7A8A1BE4C13417FE433DCBD6A2D3CFBBDCA_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_m40222B08F0CF63CCA43E04EF166CF8B07F94E0DC_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_mAE9047DFAA2BB7016E21BFAFA99BCD7C274D6119_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisRuntimeObject_m08E712C1A936A68ACBDDDB3BD61F20658A5A1F59_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m542710B68FCD399C6523BAA5B1E342DB12FA6C41_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m08091EB834286C575732D7E88D50862B35589EC5_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_mC22677B8BB3C2E2FD6E8EFEDAE1263F7C1552473_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m50C17816856C83AC643E0C9514C311816C06ADFB_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m333BB1E13495F525681D8CD750954CB38787E0E4_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_mFA15CACC0FB406A96AEE4FB4C35AA6C3DF7CDB94_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m8AAD596833F8BEBCA1E526874718756C351CEE01_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mC500BEBCAE65267ED127EE4EF03640ED52CB5A76_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_m107B8642521F620678DE7AE61C5E448B47271B62_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__IReadOnlyList_get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_m0F9E7F24987CE293C28F6C14F3075C20F505C26B_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m629BA5846BCC1FB720C82F465DBEDC7CC35C9923_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mE0AC51BD7B42B61EADFED85793540510F5513D8E_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m0318D47BE2AB57E53839293C15DD335B8B0583AA_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m7910AF4B30BD106F78DE0F14393EA2FA9165302D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m2FD87C18D9E6848633DF705BFFAFEB78D9396EA4_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_mB284F11FF6EAAF07725EE9EEECAAD865E149E9CD_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mAFF3D10D243FFDDEA2E5BE47A3D72269875C515D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA29C644E6B30AA8FF56106A39C9E7530CE6AD04D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_mE027C77C0133B05655D10BE4BAB17CCBEA45C34E_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m91B1B86B2435BE0A25761F475691E825DDAD39A4_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m61ECA245B1071FDB6DB79FE4A5AE6362A5381DF5_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_m8CC22EADB453439C66E587109B90CCA60E03233A_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_m5E18D1F3D75951F12CB606D6CEB7A156A5C6C8BD_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m00CEFC0E6EB5C4E6286E76754603C701C01C8813_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_m4277A55FF0F7CC43A28269EF99E761F3BA612EE3_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m47A9D1BA5A97752AF36397686537AB4612A836EB_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m9D0452CD1962BBA9DAE3FC2B0EC0429F65CF1103_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_mD10502BEA559D905BB0619CB8D721895595CC9A7_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_m403872DD604CD1FD878047ADA4BB2D7348E23443_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_m646E9CD2F8B82E5F35FBDE2A0EFD98A0F195D680_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mB47101014CAE26A07ACE2888ADF044342599F247_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mC0D56DB29145576351D3144C0174C3DB3DFF9C84_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m69766EC28E50BA89284F2D32C8684A401A19B346_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisIntPtr_t_mDAAED5E34FC82EC1CE912628ED6EFA3FD73BF68D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m61D9DED5DD618D348B1BADD336B69E7902CC5424_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mDDF4AC156930E20611FCFB76DFC231AE7903FEE0_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_m07DCF9692981AEACAD04D98EA58EC5727A57F24E_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_m869CD39A2A3CBBF2661E51A2C3F817DDE806C357_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mBCE929EFD88213430B14BD2CF31A583723522143_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_mCE796920ABC11A9902FC9F9D6160642A63D433FA_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m9F18D534073EB714A33DD07BC19837F08129B5F7_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mD6A0D9843EAA93E58C03D148C4944DA9AA85608A_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_mE5257779A8486E28FF4CE35150FACFDEF3E4C3A2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m3A94BC2B4F31DBA1005FB94913C3130C69A2E39F_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m83A26FF89E9009B96B3B82235BC9508BB8406D77_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_m362D4C945930128AB5451EC5F1413FB6543D01C9_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_mF91557842C227193C860DC92424711A92AD86409_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_m6880A2B25322CD928A2218BAC463B0F9D7450BD2_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisRuntimeObject_m98D2A0CAA60FCDAD14B318032271D194A0FC463A_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m288F7FA25642BAF460C919173FFBACFF200256FE_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m77CE54A431B9137F71AE4EB8DD6BD6896CAD51D5_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_m1CF557045E7E734993401587A6B95688A830C1C1_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m6F26E3B1889F792C114EA852B45C022258DDF5D4_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m92C7FC890AD3637D775B949E40AC58993090D84D_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_m92E8524E021B44BD9FBA8B7B532C1C1D1AE2591E_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m67422E4BCD6185FCCC24C2E10B17354B5CA4881F_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mE136BEFAFFA4D20AC5F03D08E9E761773B432A66_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_mA4007DD15F683C09EF27EB643D94120451187BE1_RuntimeMethod_var;
extern const RuntimeMethod* Array_InternalArray__get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_mFBBF1D38CCDA2D13FFA16BC0CE1E5987639162FB_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisRuntimeObject_mC4AFA8D97E59C08C4C94EB060C4ED84320F4706D_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisRuntimeObject_mED3D48E90CD58FFF5C73368CADA29CC7FD576AE7_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_m576D13AEC7245A3AD8E7A5BF192F68C522E5CB85_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_RuntimeMethod_var;
extern const RuntimeMethod* Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_RuntimeMethod_var;
extern const RuntimeMethod* AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_RuntimeMethod_var;
extern const RuntimeMethod* BaseInvokableCall_ThrowOnInvalidArg_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_mCF3D0CC4E26D74FA04C637D7F91E17432EF93CB6_RuntimeMethod_var;
extern const RuntimeMethod* BaseInvokableCall_ThrowOnInvalidArg_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m542C3D16A153CF260BC7BB3ED47824E1F6757995_RuntimeMethod_var;
extern const RuntimeMethod* BaseInvokableCall_ThrowOnInvalidArg_TisRuntimeObject_m6619B9B55C395AA6ED186844492F95CA172E4162_RuntimeMethod_var;
extern const RuntimeMethod* BaseInvokableCall_ThrowOnInvalidArg_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m03AC9F5BC274DC40423B6D8620CA8900D19B6779_RuntimeMethod_var;
extern const RuntimeMethod* CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m5D116C3383F95724C01C628C0D0069F3D7F65621_RuntimeMethod_var;
extern const RuntimeMethod* Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_RuntimeMethod_var;
extern const RuntimeMethod* LazyInitializer_EnsureInitializedCore_TisRuntimeObject_m4289829E8C0F3DA67A5B3E27721CF5D1C203CED2_RuntimeMethod_var;
extern const RuntimeType* Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_0_0_0_var;
extern const uint32_t Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_MetadataUsageId;
extern const uint32_t Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_MetadataUsageId;
extern const uint32_t Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_MetadataUsageId;
extern const uint32_t Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m35D71EC8F506ABBDEAB4DA491A0C39F130AAA398_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mA20976BDE39E7CDFAE80707F5D7B8782D2DB26F1_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m53E8625AE904443A1E1DBCCF105D4577B179F5C2_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m8A9BCF051C369596DC54FFC5AF2E53311B3085AC_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m7FE4474292FC7BC61503EBAA451177566C7A11F2_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m782303121097277DB87E5CF415EF0465C4B4A1B1_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mCD6665078DDF4047758A406CD953DBD6FFB70478_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA5EA9A997E687B2A740812E57305FAD0B5428F3F_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_m68307563E8A8612829E8C8D1010115AF810C2A27_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m89B0E816317A499BFFFF1F32EC99B68D1045E6C9_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m5BB4D70758EF8C6AFCFC3A0CE70EB0BA56014BDF_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_mA1993BD92A566CB774DB1DB93E022FEE3C178CE4_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_mBB9351B9A332C5E66A4C12BE34CB36FB09A0AD84_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m9AE27399BB6EC825F7276F24EECB292251BD0CB7_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_mAB5413860CB11C4079C1BB386E21AF2E0BDF3321_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m90C1DA8A90349E98D0CAE4E6E9F8B13CDD9D383F_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m39952434C44AD3DC50E3B088D2AB7BB9DF4BF6A2_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_m795F49361982E404E95390015D517257EE067216_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_mECCD226E69010D2D78D319BC7F87B842E805A78E_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_mC0FBBA64A8AD9D86D56FED81BFDE1F2F06F88490_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD7D437DF6139243DC88F2B7DE2305205C2905D26_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mEFD1A61B0B41A9FFD0F040F4A1A07220F8F0CD90_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m1CF13A729DFD610EBB2D8C060C5AF62C6F1CBBE9_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisIntPtr_t_m97F983B47BBAF278F9F2B9B14AAD5D1639754C48_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m27C62570D0F265FD04FA8E6A480284B26DB44AE2_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mCE86842C0F97A7F4669040429C23BF3438BDB39B_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_mD8E7932136B09DB9DEF32AA6FE217F32D860C43D_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_mA6FA92FD002D406D05A07134DC2BC8135E874B3F_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mEBF0FA040E7F47BBB25F2E8B521190971A4F94BD_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m1FDA4C119EA5BEDA9E3E30256B1B1C366E3F41B1_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m1AF51A35EF6BFAFF7B2A441CBD977B4EDE3D18B2_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mCBEC9342279EF9BEBF1624F73A8C3183F053E823_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_m63AAEF4BA3CC016E2F8D6A5D0EC53D359279C943_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD0FE97B15C9FA8B66BB462AA2A30F988EA03299C_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m20B1886525CDB86FF07F92A29DFF25F3C3297949_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_mC49BE7A8A1BE4C13417FE433DCBD6A2D3CFBBDCA_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_m40222B08F0CF63CCA43E04EF166CF8B07F94E0DC_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_mAE9047DFAA2BB7016E21BFAFA99BCD7C274D6119_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisRuntimeObject_m08E712C1A936A68ACBDDDB3BD61F20658A5A1F59_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m542710B68FCD399C6523BAA5B1E342DB12FA6C41_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m08091EB834286C575732D7E88D50862B35589EC5_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_mC22677B8BB3C2E2FD6E8EFEDAE1263F7C1552473_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m50C17816856C83AC643E0C9514C311816C06ADFB_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m333BB1E13495F525681D8CD750954CB38787E0E4_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_mFA15CACC0FB406A96AEE4FB4C35AA6C3DF7CDB94_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m8AAD596833F8BEBCA1E526874718756C351CEE01_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mC500BEBCAE65267ED127EE4EF03640ED52CB5A76_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_m107B8642521F620678DE7AE61C5E448B47271B62_MetadataUsageId;
extern const uint32_t Array_InternalArray__IReadOnlyList_get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_m0F9E7F24987CE293C28F6C14F3075C20F505C26B_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m629BA5846BCC1FB720C82F465DBEDC7CC35C9923_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mE0AC51BD7B42B61EADFED85793540510F5513D8E_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m0318D47BE2AB57E53839293C15DD335B8B0583AA_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m7910AF4B30BD106F78DE0F14393EA2FA9165302D_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m2FD87C18D9E6848633DF705BFFAFEB78D9396EA4_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_mB284F11FF6EAAF07725EE9EEECAAD865E149E9CD_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mAFF3D10D243FFDDEA2E5BE47A3D72269875C515D_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA29C644E6B30AA8FF56106A39C9E7530CE6AD04D_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_mE027C77C0133B05655D10BE4BAB17CCBEA45C34E_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m91B1B86B2435BE0A25761F475691E825DDAD39A4_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m61ECA245B1071FDB6DB79FE4A5AE6362A5381DF5_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_m8CC22EADB453439C66E587109B90CCA60E03233A_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_m5E18D1F3D75951F12CB606D6CEB7A156A5C6C8BD_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m00CEFC0E6EB5C4E6286E76754603C701C01C8813_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_m4277A55FF0F7CC43A28269EF99E761F3BA612EE3_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m47A9D1BA5A97752AF36397686537AB4612A836EB_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m9D0452CD1962BBA9DAE3FC2B0EC0429F65CF1103_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_mD10502BEA559D905BB0619CB8D721895595CC9A7_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_m403872DD604CD1FD878047ADA4BB2D7348E23443_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_m646E9CD2F8B82E5F35FBDE2A0EFD98A0F195D680_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mB47101014CAE26A07ACE2888ADF044342599F247_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mC0D56DB29145576351D3144C0174C3DB3DFF9C84_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m69766EC28E50BA89284F2D32C8684A401A19B346_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisIntPtr_t_mDAAED5E34FC82EC1CE912628ED6EFA3FD73BF68D_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m61D9DED5DD618D348B1BADD336B69E7902CC5424_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mDDF4AC156930E20611FCFB76DFC231AE7903FEE0_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_m07DCF9692981AEACAD04D98EA58EC5727A57F24E_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_m869CD39A2A3CBBF2661E51A2C3F817DDE806C357_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mBCE929EFD88213430B14BD2CF31A583723522143_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_mCE796920ABC11A9902FC9F9D6160642A63D433FA_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m9F18D534073EB714A33DD07BC19837F08129B5F7_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mD6A0D9843EAA93E58C03D148C4944DA9AA85608A_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_mE5257779A8486E28FF4CE35150FACFDEF3E4C3A2_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m3A94BC2B4F31DBA1005FB94913C3130C69A2E39F_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m83A26FF89E9009B96B3B82235BC9508BB8406D77_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_m362D4C945930128AB5451EC5F1413FB6543D01C9_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_mF91557842C227193C860DC92424711A92AD86409_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_m6880A2B25322CD928A2218BAC463B0F9D7450BD2_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisRuntimeObject_m98D2A0CAA60FCDAD14B318032271D194A0FC463A_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m288F7FA25642BAF460C919173FFBACFF200256FE_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m77CE54A431B9137F71AE4EB8DD6BD6896CAD51D5_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_m1CF557045E7E734993401587A6B95688A830C1C1_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m6F26E3B1889F792C114EA852B45C022258DDF5D4_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m92C7FC890AD3637D775B949E40AC58993090D84D_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_m92E8524E021B44BD9FBA8B7B532C1C1D1AE2591E_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m67422E4BCD6185FCCC24C2E10B17354B5CA4881F_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mE136BEFAFFA4D20AC5F03D08E9E761773B432A66_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_mA4007DD15F683C09EF27EB643D94120451187BE1_MetadataUsageId;
extern const uint32_t Array_InternalArray__get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_mFBBF1D38CCDA2D13FFA16BC0CE1E5987639162FB_MetadataUsageId;
extern const uint32_t Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_MetadataUsageId;
extern const uint32_t Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_MetadataUsageId;
extern const uint32_t Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_MetadataUsageId;
extern const uint32_t Array_Sort_TisRuntimeObject_mC4AFA8D97E59C08C4C94EB060C4ED84320F4706D_MetadataUsageId;
extern const uint32_t Array_Sort_TisRuntimeObject_mED3D48E90CD58FFF5C73368CADA29CC7FD576AE7_MetadataUsageId;
extern const uint32_t Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_m576D13AEC7245A3AD8E7A5BF192F68C522E5CB85_MetadataUsageId;
extern const uint32_t Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_MetadataUsageId;
extern const uint32_t Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_MetadataUsageId;
extern const uint32_t Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_MetadataUsageId;
extern const uint32_t Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m6AF14E50825729E675564650D23DBE4F3BE3556F_MetadataUsageId;
extern const uint32_t Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m93A2791A7ACB2E54E08F096A025BA23220E0BF4A_MetadataUsageId;
extern const uint32_t Assert_AreEqual_TisRuntimeObject_m33522FA0E5D7CB4B4A98149053D5BE6834E82FB7_MetadataUsageId;
extern const uint32_t Assert_AreEqual_TisRuntimeObject_mAFEF69F8F67E3E349DF5EBF83CD9F899308A04CB_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_MetadataUsageId;
extern const uint32_t AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_MetadataUsageId;
extern const uint32_t AttributeHelperEngine_GetCustomAttributeOfType_TisRuntimeObject_m7AEF0374A18EED15CB2B6318117FDC6364AC2F3B_MetadataUsageId;
extern const uint32_t BaseInvokableCall_ThrowOnInvalidArg_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_mCF3D0CC4E26D74FA04C637D7F91E17432EF93CB6_MetadataUsageId;
extern const uint32_t BaseInvokableCall_ThrowOnInvalidArg_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m542C3D16A153CF260BC7BB3ED47824E1F6757995_MetadataUsageId;
extern const uint32_t BaseInvokableCall_ThrowOnInvalidArg_TisRuntimeObject_m6619B9B55C395AA6ED186844492F95CA172E4162_MetadataUsageId;
extern const uint32_t BaseInvokableCall_ThrowOnInvalidArg_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m03AC9F5BC274DC40423B6D8620CA8900D19B6779_MetadataUsageId;
extern const uint32_t CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m5D116C3383F95724C01C628C0D0069F3D7F65621_MetadataUsageId;
extern const uint32_t Component_GetComponent_TisRuntimeObject_m3FED1FF44F93EF1C3A07526800331B638EF4105B_MetadataUsageId;
extern const uint32_t CustomAttributeExtensions_GetCustomAttribute_TisRuntimeObject_mA75245E8BF9FAB8A58686B2B26E4FC342453E774_MetadataUsageId;
extern const uint32_t Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_MetadataUsageId;
extern const uint32_t LazyInitializer_EnsureInitializedCore_TisRuntimeObject_m4289829E8C0F3DA67A5B3E27721CF5D1C203CED2_MetadataUsageId;
extern const uint32_t Marshal_PtrToStructure_TisRuntimeObject_mDB88EE58460703A7A664B670DE68020F9D1CAD72_MetadataUsageId;
extern const uint32_t Marshal_StructureToPtr_TisRuntimeObject_m20EFFD65B4857CBDE07FE795E1918763FD51E8AE_MetadataUsageId;
extern const uint32_t ScriptableObject_CreateInstance_TisRuntimeObject_m7A8F75139352BA04C2EEC1D72D430FAC94C753DE_MetadataUsageId;
extern const uint32_t TaskToApm_End_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m7A78383A6B69F06EC91BDED0E0F6F3DE02960234_MetadataUsageId;
extern const uint32_t TaskToApm_End_TisRuntimeObject_m5B4926B1E892216126696393D8316A1E707B9A85_MetadataUsageId;
struct Delegate_t_marshaled_com;
struct Delegate_t_marshaled_pinvoke;
struct Exception_t_marshaled_com;
struct Exception_t_marshaled_pinvoke;
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com;
struct PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_com;
struct PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_pinvoke;
struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2;
struct KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F;
struct Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A;
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83;
struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A;
struct CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828;
struct CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05;
struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4;
struct OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101;
struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0;
#ifndef RUNTIMEOBJECT_H
#define RUNTIMEOBJECT_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Object
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEOBJECT_H
struct Il2CppArrayBounds;
#ifndef RUNTIMEARRAY_H
#define RUNTIMEARRAY_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Array
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEARRAY_H
#ifndef ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#define ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Attribute
struct Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ATTRIBUTE_TF048C13FB3C8CFCC53F82290E4A3F621089F9A74_H
#ifndef ARRAYSORTHELPER_2_T2FF12471052A6F38EFFD02AD4037EB23260332A5_H
#define ARRAYSORTHELPER_2_T2FF12471052A6F38EFFD02AD4037EB23260332A5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.ArraySortHelper`2<System.UInt64,System.Object>
struct ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 : public RuntimeObject
{
public:
public:
};
struct ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5_StaticFields
{
public:
// System.Collections.Generic.ArraySortHelper`2<TKey,TValue> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.ArraySortHelper`2::s_defaultArraySortHelper
ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 * ___s_defaultArraySortHelper_0;
public:
inline static int32_t get_offset_of_s_defaultArraySortHelper_0() { return static_cast<int32_t>(offsetof(ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5_StaticFields, ___s_defaultArraySortHelper_0)); }
inline ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 * get_s_defaultArraySortHelper_0() const { return ___s_defaultArraySortHelper_0; }
inline ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 ** get_address_of_s_defaultArraySortHelper_0() { return &___s_defaultArraySortHelper_0; }
inline void set_s_defaultArraySortHelper_0(ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 * value)
{
___s_defaultArraySortHelper_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultArraySortHelper_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARRAYSORTHELPER_2_T2FF12471052A6F38EFFD02AD4037EB23260332A5_H
#ifndef COLLECTIONEXTENSIONS_T1943508648E4A2A0FBCF65503E3BD7032F003E0A_H
#define COLLECTIONEXTENSIONS_T1943508648E4A2A0FBCF65503E3BD7032F003E0A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.CollectionExtensions
struct CollectionExtensions_t1943508648E4A2A0FBCF65503E3BD7032F003E0A : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLLECTIONEXTENSIONS_T1943508648E4A2A0FBCF65503E3BD7032F003E0A_H
#ifndef EQUALITYCOMPARER_1_TF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33_H
#define EQUALITYCOMPARER_1_TF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.EqualityComparer`1<System.Int32>
struct EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 : public RuntimeObject
{
public:
public:
};
struct EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33_StaticFields
{
public:
// System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer
EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 * ___defaultComparer_0;
public:
inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33_StaticFields, ___defaultComparer_0)); }
inline EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 * get_defaultComparer_0() const { return ___defaultComparer_0; }
inline EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; }
inline void set_defaultComparer_0(EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 * value)
{
___defaultComparer_0 = value;
Il2CppCodeGenWriteBarrier((&___defaultComparer_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EQUALITYCOMPARER_1_TF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33_H
#ifndef EQUALITYCOMPARER_1_T54972BA287ED38B066E4BE7A3B21F49803B62EBA_H
#define EQUALITYCOMPARER_1_T54972BA287ED38B066E4BE7A3B21F49803B62EBA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.EqualityComparer`1<System.Object>
struct EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA : public RuntimeObject
{
public:
public:
};
struct EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA_StaticFields
{
public:
// System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer
EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * ___defaultComparer_0;
public:
inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA_StaticFields, ___defaultComparer_0)); }
inline EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * get_defaultComparer_0() const { return ___defaultComparer_0; }
inline EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; }
inline void set_defaultComparer_0(EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * value)
{
___defaultComparer_0 = value;
Il2CppCodeGenWriteBarrier((&___defaultComparer_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EQUALITYCOMPARER_1_T54972BA287ED38B066E4BE7A3B21F49803B62EBA_H
#ifndef EMPTYARRAY_1_T40AF87279AA6E3AEEABB0CBA1425F6720C40961A_H
#define EMPTYARRAY_1_T40AF87279AA6E3AEEABB0CBA1425F6720C40961A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.EmptyArray`1<System.Char>
struct EmptyArray_1_t40AF87279AA6E3AEEABB0CBA1425F6720C40961A : public RuntimeObject
{
public:
public:
};
struct EmptyArray_1_t40AF87279AA6E3AEEABB0CBA1425F6720C40961A_StaticFields
{
public:
// T[] System.EmptyArray`1::Value
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___Value_0;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(EmptyArray_1_t40AF87279AA6E3AEEABB0CBA1425F6720C40961A_StaticFields, ___Value_0)); }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_Value_0() const { return ___Value_0; }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((&___Value_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EMPTYARRAY_1_T40AF87279AA6E3AEEABB0CBA1425F6720C40961A_H
#ifndef EMPTYARRAY_1_TCF137C88A5824F413EFB5A2F31664D8207E61D26_H
#define EMPTYARRAY_1_TCF137C88A5824F413EFB5A2F31664D8207E61D26_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.EmptyArray`1<System.Object>
struct EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26 : public RuntimeObject
{
public:
public:
};
struct EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields
{
public:
// T[] System.EmptyArray`1::Value
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___Value_0;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields, ___Value_0)); }
inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_Value_0() const { return ___Value_0; }
inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((&___Value_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EMPTYARRAY_1_TCF137C88A5824F413EFB5A2F31664D8207E61D26_H
#ifndef EXCEPTION_T_H
#define EXCEPTION_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Exception
struct Exception_t : public RuntimeObject
{
public:
// System.String System.Exception::_className
String_t* ____className_1;
// System.String System.Exception::_message
String_t* ____message_2;
// System.Collections.IDictionary System.Exception::_data
RuntimeObject* ____data_3;
// System.Exception System.Exception::_innerException
Exception_t * ____innerException_4;
// System.String System.Exception::_helpURL
String_t* ____helpURL_5;
// System.Object System.Exception::_stackTrace
RuntimeObject * ____stackTrace_6;
// System.String System.Exception::_stackTraceString
String_t* ____stackTraceString_7;
// System.String System.Exception::_remoteStackTraceString
String_t* ____remoteStackTraceString_8;
// System.Int32 System.Exception::_remoteStackIndex
int32_t ____remoteStackIndex_9;
// System.Object System.Exception::_dynamicMethods
RuntimeObject * ____dynamicMethods_10;
// System.Int32 System.Exception::_HResult
int32_t ____HResult_11;
// System.String System.Exception::_source
String_t* ____source_12;
// System.Runtime.Serialization.SafeSerializationManager System.Exception::_safeSerializationManager
SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13;
// System.Diagnostics.StackTrace[] System.Exception::captured_traces
StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14;
// System.IntPtr[] System.Exception::native_trace_ips
IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* ___native_trace_ips_15;
public:
inline static int32_t get_offset_of__className_1() { return static_cast<int32_t>(offsetof(Exception_t, ____className_1)); }
inline String_t* get__className_1() const { return ____className_1; }
inline String_t** get_address_of__className_1() { return &____className_1; }
inline void set__className_1(String_t* value)
{
____className_1 = value;
Il2CppCodeGenWriteBarrier((&____className_1), value);
}
inline static int32_t get_offset_of__message_2() { return static_cast<int32_t>(offsetof(Exception_t, ____message_2)); }
inline String_t* get__message_2() const { return ____message_2; }
inline String_t** get_address_of__message_2() { return &____message_2; }
inline void set__message_2(String_t* value)
{
____message_2 = value;
Il2CppCodeGenWriteBarrier((&____message_2), value);
}
inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(Exception_t, ____data_3)); }
inline RuntimeObject* get__data_3() const { return ____data_3; }
inline RuntimeObject** get_address_of__data_3() { return &____data_3; }
inline void set__data_3(RuntimeObject* value)
{
____data_3 = value;
Il2CppCodeGenWriteBarrier((&____data_3), value);
}
inline static int32_t get_offset_of__innerException_4() { return static_cast<int32_t>(offsetof(Exception_t, ____innerException_4)); }
inline Exception_t * get__innerException_4() const { return ____innerException_4; }
inline Exception_t ** get_address_of__innerException_4() { return &____innerException_4; }
inline void set__innerException_4(Exception_t * value)
{
____innerException_4 = value;
Il2CppCodeGenWriteBarrier((&____innerException_4), value);
}
inline static int32_t get_offset_of__helpURL_5() { return static_cast<int32_t>(offsetof(Exception_t, ____helpURL_5)); }
inline String_t* get__helpURL_5() const { return ____helpURL_5; }
inline String_t** get_address_of__helpURL_5() { return &____helpURL_5; }
inline void set__helpURL_5(String_t* value)
{
____helpURL_5 = value;
Il2CppCodeGenWriteBarrier((&____helpURL_5), value);
}
inline static int32_t get_offset_of__stackTrace_6() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTrace_6)); }
inline RuntimeObject * get__stackTrace_6() const { return ____stackTrace_6; }
inline RuntimeObject ** get_address_of__stackTrace_6() { return &____stackTrace_6; }
inline void set__stackTrace_6(RuntimeObject * value)
{
____stackTrace_6 = value;
Il2CppCodeGenWriteBarrier((&____stackTrace_6), value);
}
inline static int32_t get_offset_of__stackTraceString_7() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTraceString_7)); }
inline String_t* get__stackTraceString_7() const { return ____stackTraceString_7; }
inline String_t** get_address_of__stackTraceString_7() { return &____stackTraceString_7; }
inline void set__stackTraceString_7(String_t* value)
{
____stackTraceString_7 = value;
Il2CppCodeGenWriteBarrier((&____stackTraceString_7), value);
}
inline static int32_t get_offset_of__remoteStackTraceString_8() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackTraceString_8)); }
inline String_t* get__remoteStackTraceString_8() const { return ____remoteStackTraceString_8; }
inline String_t** get_address_of__remoteStackTraceString_8() { return &____remoteStackTraceString_8; }
inline void set__remoteStackTraceString_8(String_t* value)
{
____remoteStackTraceString_8 = value;
Il2CppCodeGenWriteBarrier((&____remoteStackTraceString_8), value);
}
inline static int32_t get_offset_of__remoteStackIndex_9() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackIndex_9)); }
inline int32_t get__remoteStackIndex_9() const { return ____remoteStackIndex_9; }
inline int32_t* get_address_of__remoteStackIndex_9() { return &____remoteStackIndex_9; }
inline void set__remoteStackIndex_9(int32_t value)
{
____remoteStackIndex_9 = value;
}
inline static int32_t get_offset_of__dynamicMethods_10() { return static_cast<int32_t>(offsetof(Exception_t, ____dynamicMethods_10)); }
inline RuntimeObject * get__dynamicMethods_10() const { return ____dynamicMethods_10; }
inline RuntimeObject ** get_address_of__dynamicMethods_10() { return &____dynamicMethods_10; }
inline void set__dynamicMethods_10(RuntimeObject * value)
{
____dynamicMethods_10 = value;
Il2CppCodeGenWriteBarrier((&____dynamicMethods_10), value);
}
inline static int32_t get_offset_of__HResult_11() { return static_cast<int32_t>(offsetof(Exception_t, ____HResult_11)); }
inline int32_t get__HResult_11() const { return ____HResult_11; }
inline int32_t* get_address_of__HResult_11() { return &____HResult_11; }
inline void set__HResult_11(int32_t value)
{
____HResult_11 = value;
}
inline static int32_t get_offset_of__source_12() { return static_cast<int32_t>(offsetof(Exception_t, ____source_12)); }
inline String_t* get__source_12() const { return ____source_12; }
inline String_t** get_address_of__source_12() { return &____source_12; }
inline void set__source_12(String_t* value)
{
____source_12 = value;
Il2CppCodeGenWriteBarrier((&____source_12), value);
}
inline static int32_t get_offset_of__safeSerializationManager_13() { return static_cast<int32_t>(offsetof(Exception_t, ____safeSerializationManager_13)); }
inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * get__safeSerializationManager_13() const { return ____safeSerializationManager_13; }
inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 ** get_address_of__safeSerializationManager_13() { return &____safeSerializationManager_13; }
inline void set__safeSerializationManager_13(SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * value)
{
____safeSerializationManager_13 = value;
Il2CppCodeGenWriteBarrier((&____safeSerializationManager_13), value);
}
inline static int32_t get_offset_of_captured_traces_14() { return static_cast<int32_t>(offsetof(Exception_t, ___captured_traces_14)); }
inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* get_captured_traces_14() const { return ___captured_traces_14; }
inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196** get_address_of_captured_traces_14() { return &___captured_traces_14; }
inline void set_captured_traces_14(StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* value)
{
___captured_traces_14 = value;
Il2CppCodeGenWriteBarrier((&___captured_traces_14), value);
}
inline static int32_t get_offset_of_native_trace_ips_15() { return static_cast<int32_t>(offsetof(Exception_t, ___native_trace_ips_15)); }
inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* get_native_trace_ips_15() const { return ___native_trace_ips_15; }
inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD** get_address_of_native_trace_ips_15() { return &___native_trace_ips_15; }
inline void set_native_trace_ips_15(IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* value)
{
___native_trace_ips_15 = value;
Il2CppCodeGenWriteBarrier((&___native_trace_ips_15), value);
}
};
struct Exception_t_StaticFields
{
public:
// System.Object System.Exception::s_EDILock
RuntimeObject * ___s_EDILock_0;
public:
inline static int32_t get_offset_of_s_EDILock_0() { return static_cast<int32_t>(offsetof(Exception_t_StaticFields, ___s_EDILock_0)); }
inline RuntimeObject * get_s_EDILock_0() const { return ___s_EDILock_0; }
inline RuntimeObject ** get_address_of_s_EDILock_0() { return &___s_EDILock_0; }
inline void set_s_EDILock_0(RuntimeObject * value)
{
___s_EDILock_0 = value;
Il2CppCodeGenWriteBarrier((&___s_EDILock_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Exception
struct Exception_t_marshaled_pinvoke
{
char* ____className_1;
char* ____message_2;
RuntimeObject* ____data_3;
Exception_t_marshaled_pinvoke* ____innerException_4;
char* ____helpURL_5;
Il2CppIUnknown* ____stackTrace_6;
char* ____stackTraceString_7;
char* ____remoteStackTraceString_8;
int32_t ____remoteStackIndex_9;
Il2CppIUnknown* ____dynamicMethods_10;
int32_t ____HResult_11;
char* ____source_12;
SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13;
StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14;
intptr_t* ___native_trace_ips_15;
};
// Native definition for COM marshalling of System.Exception
struct Exception_t_marshaled_com
{
Il2CppChar* ____className_1;
Il2CppChar* ____message_2;
RuntimeObject* ____data_3;
Exception_t_marshaled_com* ____innerException_4;
Il2CppChar* ____helpURL_5;
Il2CppIUnknown* ____stackTrace_6;
Il2CppChar* ____stackTraceString_7;
Il2CppChar* ____remoteStackTraceString_8;
int32_t ____remoteStackIndex_9;
Il2CppIUnknown* ____dynamicMethods_10;
int32_t ____HResult_11;
Il2CppChar* ____source_12;
SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13;
StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14;
intptr_t* ___native_trace_ips_15;
};
#endif // EXCEPTION_T_H
#ifndef ENUMERABLE_TECC271C86C6E8F72E4E27C7C8FD5DB7B63D5D737_H
#define ENUMERABLE_TECC271C86C6E8F72E4E27C7C8FD5DB7B63D5D737_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Linq.Enumerable
struct Enumerable_tECC271C86C6E8F72E4E27C7C8FD5DB7B63D5D737 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENUMERABLE_TECC271C86C6E8F72E4E27C7C8FD5DB7B63D5D737_H
#ifndef CUSTOMATTRIBUTEDATA_T2CD9D78F97B6517D5DEE35DEE97159B02C078F88_H
#define CUSTOMATTRIBUTEDATA_T2CD9D78F97B6517D5DEE35DEE97159B02C078F88_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeData
struct CustomAttributeData_t2CD9D78F97B6517D5DEE35DEE97159B02C078F88 : public RuntimeObject
{
public:
// System.Reflection.ConstructorInfo System.Reflection.CustomAttributeData::ctorInfo
ConstructorInfo_t9CB51BFC178DF1CBCA5FD16B2D58229618F23EFF * ___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_t4C5DC81EA7740306D01218D48006034D024FBA38 * ___lazyData_3;
public:
inline static int32_t get_offset_of_ctorInfo_0() { return static_cast<int32_t>(offsetof(CustomAttributeData_t2CD9D78F97B6517D5DEE35DEE97159B02C078F88, ___ctorInfo_0)); }
inline ConstructorInfo_t9CB51BFC178DF1CBCA5FD16B2D58229618F23EFF * get_ctorInfo_0() const { return ___ctorInfo_0; }
inline ConstructorInfo_t9CB51BFC178DF1CBCA5FD16B2D58229618F23EFF ** get_address_of_ctorInfo_0() { return &___ctorInfo_0; }
inline void set_ctorInfo_0(ConstructorInfo_t9CB51BFC178DF1CBCA5FD16B2D58229618F23EFF * value)
{
___ctorInfo_0 = value;
Il2CppCodeGenWriteBarrier((&___ctorInfo_0), value);
}
inline static int32_t get_offset_of_ctorArgs_1() { return static_cast<int32_t>(offsetof(CustomAttributeData_t2CD9D78F97B6517D5DEE35DEE97159B02C078F88, ___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((&___ctorArgs_1), value);
}
inline static int32_t get_offset_of_namedArgs_2() { return static_cast<int32_t>(offsetof(CustomAttributeData_t2CD9D78F97B6517D5DEE35DEE97159B02C078F88, ___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((&___namedArgs_2), value);
}
inline static int32_t get_offset_of_lazyData_3() { return static_cast<int32_t>(offsetof(CustomAttributeData_t2CD9D78F97B6517D5DEE35DEE97159B02C078F88, ___lazyData_3)); }
inline LazyCAttrData_t4C5DC81EA7740306D01218D48006034D024FBA38 * get_lazyData_3() const { return ___lazyData_3; }
inline LazyCAttrData_t4C5DC81EA7740306D01218D48006034D024FBA38 ** get_address_of_lazyData_3() { return &___lazyData_3; }
inline void set_lazyData_3(LazyCAttrData_t4C5DC81EA7740306D01218D48006034D024FBA38 * value)
{
___lazyData_3 = value;
Il2CppCodeGenWriteBarrier((&___lazyData_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CUSTOMATTRIBUTEDATA_T2CD9D78F97B6517D5DEE35DEE97159B02C078F88_H
#ifndef CUSTOMATTRIBUTEEXTENSIONS_T46E823943384E2B9D2E7A6A492117E1A2331F5D3_H
#define CUSTOMATTRIBUTEEXTENSIONS_T46E823943384E2B9D2E7A6A492117E1A2331F5D3_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeExtensions
struct CustomAttributeExtensions_t46E823943384E2B9D2E7A6A492117E1A2331F5D3 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CUSTOMATTRIBUTEEXTENSIONS_T46E823943384E2B9D2E7A6A492117E1A2331F5D3_H
#ifndef MEMBERINFO_T_H
#define MEMBERINFO_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.MemberInfo
struct MemberInfo_t : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MEMBERINFO_T_H
#ifndef MOVENEXTRUNNER_T6A0B9DE31628DAC797ABC84945D4C62B07C3E65A_H
#define MOVENEXTRUNNER_T6A0B9DE31628DAC797ABC84945D4C62B07C3E65A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncMethodBuilderCore_MoveNextRunner
struct MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A : public RuntimeObject
{
public:
// System.Threading.ExecutionContext System.Runtime.CompilerServices.AsyncMethodBuilderCore_MoveNextRunner::m_context
ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * ___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_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A, ___m_context_0)); }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * get_m_context_0() const { return ___m_context_0; }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 ** get_address_of_m_context_0() { return &___m_context_0; }
inline void set_m_context_0(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * value)
{
___m_context_0 = value;
Il2CppCodeGenWriteBarrier((&___m_context_0), value);
}
inline static int32_t get_offset_of_m_stateMachine_1() { return static_cast<int32_t>(offsetof(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A, ___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((&___m_stateMachine_1), value);
}
};
struct MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A_StaticFields
{
public:
// System.Threading.ContextCallback System.Runtime.CompilerServices.AsyncMethodBuilderCore_MoveNextRunner::s_invokeMoveNext
ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * ___s_invokeMoveNext_2;
public:
inline static int32_t get_offset_of_s_invokeMoveNext_2() { return static_cast<int32_t>(offsetof(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A_StaticFields, ___s_invokeMoveNext_2)); }
inline ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * get_s_invokeMoveNext_2() const { return ___s_invokeMoveNext_2; }
inline ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 ** get_address_of_s_invokeMoveNext_2() { return &___s_invokeMoveNext_2; }
inline void set_s_invokeMoveNext_2(ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * value)
{
___s_invokeMoveNext_2 = value;
Il2CppCodeGenWriteBarrier((&___s_invokeMoveNext_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MOVENEXTRUNNER_T6A0B9DE31628DAC797ABC84945D4C62B07C3E65A_H
#ifndef JITHELPERS_T6BCD6CAFCA9C54EDD15CC80B7D7416E8711E8AAB_H
#define JITHELPERS_T6BCD6CAFCA9C54EDD15CC80B7D7416E8711E8AAB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.JitHelpers
struct JitHelpers_t6BCD6CAFCA9C54EDD15CC80B7D7416E8711E8AAB : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // JITHELPERS_T6BCD6CAFCA9C54EDD15CC80B7D7416E8711E8AAB_H
#ifndef MARSHAL_TC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_H
#define MARSHAL_TC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.InteropServices.Marshal
struct Marshal_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40 : public RuntimeObject
{
public:
public:
};
struct Marshal_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_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_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_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_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MARSHAL_TC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_H
#ifndef STRING_T_H
#define STRING_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.String
struct String_t : public RuntimeObject
{
public:
// System.Int32 System.String::m_stringLength
int32_t ___m_stringLength_0;
// System.Char System.String::m_firstChar
Il2CppChar ___m_firstChar_1;
public:
inline static int32_t get_offset_of_m_stringLength_0() { return static_cast<int32_t>(offsetof(String_t, ___m_stringLength_0)); }
inline int32_t get_m_stringLength_0() const { return ___m_stringLength_0; }
inline int32_t* get_address_of_m_stringLength_0() { return &___m_stringLength_0; }
inline void set_m_stringLength_0(int32_t value)
{
___m_stringLength_0 = value;
}
inline static int32_t get_offset_of_m_firstChar_1() { return static_cast<int32_t>(offsetof(String_t, ___m_firstChar_1)); }
inline Il2CppChar get_m_firstChar_1() const { return ___m_firstChar_1; }
inline Il2CppChar* get_address_of_m_firstChar_1() { return &___m_firstChar_1; }
inline void set_m_firstChar_1(Il2CppChar value)
{
___m_firstChar_1 = value;
}
};
struct String_t_StaticFields
{
public:
// System.String System.String::Empty
String_t* ___Empty_5;
public:
inline static int32_t get_offset_of_Empty_5() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___Empty_5)); }
inline String_t* get_Empty_5() const { return ___Empty_5; }
inline String_t** get_address_of_Empty_5() { return &___Empty_5; }
inline void set_Empty_5(String_t* value)
{
___Empty_5 = value;
Il2CppCodeGenWriteBarrier((&___Empty_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STRING_T_H
#ifndef INTERLOCKED_TFC2D55B9E6E624D5151A9DC89A50567677F7F433_H
#define INTERLOCKED_TFC2D55B9E6E624D5151A9DC89A50567677F7F433_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Interlocked
struct Interlocked_tFC2D55B9E6E624D5151A9DC89A50567677F7F433 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERLOCKED_TFC2D55B9E6E624D5151A9DC89A50567677F7F433_H
#ifndef LAZYINITIALIZER_TFC4C124B28D8DA023D36F3298FC7EA95653CB8A7_H
#define LAZYINITIALIZER_TFC4C124B28D8DA023D36F3298FC7EA95653CB8A7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.LazyInitializer
struct LazyInitializer_tFC4C124B28D8DA023D36F3298FC7EA95653CB8A7 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LAZYINITIALIZER_TFC4C124B28D8DA023D36F3298FC7EA95653CB8A7_H
#ifndef SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#define SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.SynchronizationContext
struct SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SYNCHRONIZATIONCONTEXT_T06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7_H
#ifndef TASKTOAPM_TF25594732C9CF1F3AB4F2D74381577956E6B271E_H
#define TASKTOAPM_TF25594732C9CF1F3AB4F2D74381577956E6B271E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.TaskToApm
struct TaskToApm_tF25594732C9CF1F3AB4F2D74381577956E6B271E : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASKTOAPM_TF25594732C9CF1F3AB4F2D74381577956E6B271E_H
#ifndef TASKWRAPPERASYNCRESULT_T27D147DA04A6C23A69D2663E205435DC3567E2FE_H
#define TASKWRAPPERASYNCRESULT_T27D147DA04A6C23A69D2663E205435DC3567E2FE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.TaskToApm_TaskWrapperAsyncResult
struct TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE : public RuntimeObject
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.TaskToApm_TaskWrapperAsyncResult::Task
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___Task_0;
// System.Object System.Threading.Tasks.TaskToApm_TaskWrapperAsyncResult::m_state
RuntimeObject * ___m_state_1;
// System.Boolean System.Threading.Tasks.TaskToApm_TaskWrapperAsyncResult::m_completedSynchronously
bool ___m_completedSynchronously_2;
public:
inline static int32_t get_offset_of_Task_0() { return static_cast<int32_t>(offsetof(TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE, ___Task_0)); }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get_Task_0() const { return ___Task_0; }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of_Task_0() { return &___Task_0; }
inline void set_Task_0(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value)
{
___Task_0 = value;
Il2CppCodeGenWriteBarrier((&___Task_0), value);
}
inline static int32_t get_offset_of_m_state_1() { return static_cast<int32_t>(offsetof(TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE, ___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((&___m_state_1), value);
}
inline static int32_t get_offset_of_m_completedSynchronously_2() { return static_cast<int32_t>(offsetof(TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE, ___m_completedSynchronously_2)); }
inline bool get_m_completedSynchronously_2() const { return ___m_completedSynchronously_2; }
inline bool* get_address_of_m_completedSynchronously_2() { return &___m_completedSynchronously_2; }
inline void set_m_completedSynchronously_2(bool value)
{
___m_completedSynchronously_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASKWRAPPERASYNCRESULT_T27D147DA04A6C23A69D2663E205435DC3567E2FE_H
#ifndef VOLATILE_TE96815F4BB2ADA7D8E4005AD52AC020C22856632_H
#define VOLATILE_TE96815F4BB2ADA7D8E4005AD52AC020C22856632_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Volatile
struct Volatile_tE96815F4BB2ADA7D8E4005AD52AC020C22856632 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VOLATILE_TE96815F4BB2ADA7D8E4005AD52AC020C22856632_H
#ifndef THROWHELPER_T8065E62B9F6294DE13A825C979597A9746B6771B_H
#define THROWHELPER_T8065E62B9F6294DE13A825C979597A9746B6771B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ThrowHelper
struct ThrowHelper_t8065E62B9F6294DE13A825C979597A9746B6771B : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // THROWHELPER_T8065E62B9F6294DE13A825C979597A9746B6771B_H
#ifndef VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#define VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_com
{
};
#endif // VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifndef ASSERT_T124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_H
#define ASSERT_T124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Assertions.Assert
struct Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC : public RuntimeObject
{
public:
public:
};
struct Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_StaticFields
{
public:
// System.Boolean UnityEngine.Assertions.Assert::raiseExceptions
bool ___raiseExceptions_0;
public:
inline static int32_t get_offset_of_raiseExceptions_0() { return static_cast<int32_t>(offsetof(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_StaticFields, ___raiseExceptions_0)); }
inline bool get_raiseExceptions_0() const { return ___raiseExceptions_0; }
inline bool* get_address_of_raiseExceptions_0() { return &___raiseExceptions_0; }
inline void set_raiseExceptions_0(bool value)
{
___raiseExceptions_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASSERT_T124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_H
#ifndef ATTRIBUTEHELPERENGINE_T22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_H
#define ATTRIBUTEHELPERENGINE_T22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AttributeHelperEngine
struct AttributeHelperEngine_t22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601 : public RuntimeObject
{
public:
public:
};
struct AttributeHelperEngine_t22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_StaticFields
{
public:
// UnityEngine.DisallowMultipleComponent[] UnityEngine.AttributeHelperEngine::_disallowMultipleComponentArray
DisallowMultipleComponentU5BU5D_t59E317D853AAC982D5D18D4C1581422FC151F7E3* ____disallowMultipleComponentArray_0;
// UnityEngine.ExecuteInEditMode[] UnityEngine.AttributeHelperEngine::_executeInEditModeArray
ExecuteInEditModeU5BU5D_tAE8DA030BEBA505907556F161EB49FD565976C80* ____executeInEditModeArray_1;
// UnityEngine.RequireComponent[] UnityEngine.AttributeHelperEngine::_requireComponentArray
RequireComponentU5BU5D_t4295259AA991FCAA75878E4731813266CFC5351D* ____requireComponentArray_2;
public:
inline static int32_t get_offset_of__disallowMultipleComponentArray_0() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_StaticFields, ____disallowMultipleComponentArray_0)); }
inline DisallowMultipleComponentU5BU5D_t59E317D853AAC982D5D18D4C1581422FC151F7E3* get__disallowMultipleComponentArray_0() const { return ____disallowMultipleComponentArray_0; }
inline DisallowMultipleComponentU5BU5D_t59E317D853AAC982D5D18D4C1581422FC151F7E3** get_address_of__disallowMultipleComponentArray_0() { return &____disallowMultipleComponentArray_0; }
inline void set__disallowMultipleComponentArray_0(DisallowMultipleComponentU5BU5D_t59E317D853AAC982D5D18D4C1581422FC151F7E3* value)
{
____disallowMultipleComponentArray_0 = value;
Il2CppCodeGenWriteBarrier((&____disallowMultipleComponentArray_0), value);
}
inline static int32_t get_offset_of__executeInEditModeArray_1() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_StaticFields, ____executeInEditModeArray_1)); }
inline ExecuteInEditModeU5BU5D_tAE8DA030BEBA505907556F161EB49FD565976C80* get__executeInEditModeArray_1() const { return ____executeInEditModeArray_1; }
inline ExecuteInEditModeU5BU5D_tAE8DA030BEBA505907556F161EB49FD565976C80** get_address_of__executeInEditModeArray_1() { return &____executeInEditModeArray_1; }
inline void set__executeInEditModeArray_1(ExecuteInEditModeU5BU5D_tAE8DA030BEBA505907556F161EB49FD565976C80* value)
{
____executeInEditModeArray_1 = value;
Il2CppCodeGenWriteBarrier((&____executeInEditModeArray_1), value);
}
inline static int32_t get_offset_of__requireComponentArray_2() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_StaticFields, ____requireComponentArray_2)); }
inline RequireComponentU5BU5D_t4295259AA991FCAA75878E4731813266CFC5351D* get__requireComponentArray_2() const { return ____requireComponentArray_2; }
inline RequireComponentU5BU5D_t4295259AA991FCAA75878E4731813266CFC5351D** get_address_of__requireComponentArray_2() { return &____requireComponentArray_2; }
inline void set__requireComponentArray_2(RequireComponentU5BU5D_t4295259AA991FCAA75878E4731813266CFC5351D* value)
{
____requireComponentArray_2 = value;
Il2CppCodeGenWriteBarrier((&____requireComponentArray_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ATTRIBUTEHELPERENGINE_T22E0A0A6E68E2DFAFB28B91CC8AFCE4630723601_H
#ifndef BASEINVOKABLECALL_TE686BE3371ABBF6DB32C422D433199AD18316DF5_H
#define BASEINVOKABLECALL_TE686BE3371ABBF6DB32C422D433199AD18316DF5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Events.BaseInvokableCall
struct BaseInvokableCall_tE686BE3371ABBF6DB32C422D433199AD18316DF5 : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASEINVOKABLECALL_TE686BE3371ABBF6DB32C422D433199AD18316DF5_H
#ifndef TABLERANGE_T485CF0807771CC05023466CFCB0AE25C46648100_H
#define TABLERANGE_T485CF0807771CC05023466CFCB0AE25C46648100_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Globalization.Unicode.CodePointIndexer_TableRange
struct TableRange_t485CF0807771CC05023466CFCB0AE25C46648100
{
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_t485CF0807771CC05023466CFCB0AE25C46648100, ___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_t485CF0807771CC05023466CFCB0AE25C46648100, ___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_t485CF0807771CC05023466CFCB0AE25C46648100, ___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_t485CF0807771CC05023466CFCB0AE25C46648100, ___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_t485CF0807771CC05023466CFCB0AE25C46648100, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TABLERANGE_T485CF0807771CC05023466CFCB0AE25C46648100_H
#ifndef BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#define BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Boolean
struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C
{
public:
// System.Boolean System.Boolean::m_value
bool ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C, ___m_value_0)); }
inline bool get_m_value_0() const { return ___m_value_0; }
inline bool* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(bool value)
{
___m_value_0 = value;
}
};
struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields
{
public:
// System.String System.Boolean::TrueString
String_t* ___TrueString_5;
// System.String System.Boolean::FalseString
String_t* ___FalseString_6;
public:
inline static int32_t get_offset_of_TrueString_5() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___TrueString_5)); }
inline String_t* get_TrueString_5() const { return ___TrueString_5; }
inline String_t** get_address_of_TrueString_5() { return &___TrueString_5; }
inline void set_TrueString_5(String_t* value)
{
___TrueString_5 = value;
Il2CppCodeGenWriteBarrier((&___TrueString_5), value);
}
inline static int32_t get_offset_of_FalseString_6() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___FalseString_6)); }
inline String_t* get_FalseString_6() const { return ___FalseString_6; }
inline String_t** get_address_of_FalseString_6() { return &___FalseString_6; }
inline void set_FalseString_6(String_t* value)
{
___FalseString_6 = value;
Il2CppCodeGenWriteBarrier((&___FalseString_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BOOLEAN_TB53F6830F670160873277339AA58F15CAED4399C_H
#ifndef BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#define BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Byte
struct Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07
{
public:
// System.Byte System.Byte::m_value
uint8_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07, ___m_value_0)); }
inline uint8_t get_m_value_0() const { return ___m_value_0; }
inline uint8_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint8_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BYTE_TF87C579059BD4633E6840EBBBEEF899C6E33EF07_H
#ifndef CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#define CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Char
struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9
{
public:
// System.Char System.Char::m_value
Il2CppChar ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9, ___m_value_0)); }
inline Il2CppChar get_m_value_0() const { return ___m_value_0; }
inline Il2CppChar* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(Il2CppChar value)
{
___m_value_0 = value;
}
};
struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields
{
public:
// System.Byte[] System.Char::categoryForLatin1
ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___categoryForLatin1_3;
public:
inline static int32_t get_offset_of_categoryForLatin1_3() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields, ___categoryForLatin1_3)); }
inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_categoryForLatin1_3() const { return ___categoryForLatin1_3; }
inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_categoryForLatin1_3() { return &___categoryForLatin1_3; }
inline void set_categoryForLatin1_3(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value)
{
___categoryForLatin1_3 = value;
Il2CppCodeGenWriteBarrier((&___categoryForLatin1_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CHAR_TBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_H
#ifndef DICTIONARYENTRY_TB5348A26B94274FCC1DD77185BD5946E283B11A4_H
#define DICTIONARYENTRY_TB5348A26B94274FCC1DD77185BD5946E283B11A4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.DictionaryEntry
struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4
{
public:
// System.Object System.Collections.DictionaryEntry::_key
RuntimeObject * ____key_0;
// System.Object System.Collections.DictionaryEntry::_value
RuntimeObject * ____value_1;
public:
inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4, ____key_0)); }
inline RuntimeObject * get__key_0() const { return ____key_0; }
inline RuntimeObject ** get_address_of__key_0() { return &____key_0; }
inline void set__key_0(RuntimeObject * value)
{
____key_0 = value;
Il2CppCodeGenWriteBarrier((&____key_0), value);
}
inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4, ____value_1)); }
inline RuntimeObject * get__value_1() const { return ____value_1; }
inline RuntimeObject ** get_address_of__value_1() { return &____value_1; }
inline void set__value_1(RuntimeObject * value)
{
____value_1 = value;
Il2CppCodeGenWriteBarrier((&____value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Collections.DictionaryEntry
struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_marshaled_pinvoke
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
// Native definition for COM marshalling of System.Collections.DictionaryEntry
struct DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_marshaled_com
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
#endif // DICTIONARYENTRY_TB5348A26B94274FCC1DD77185BD5946E283B11A4_H
#ifndef ENTRY_T7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_H
#define ENTRY_T7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.Dictionary`2_Entry<System.Int32,System.Object>
struct Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D
{
public:
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode
int32_t ___hashCode_0;
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::next
int32_t ___next_1;
// TKey System.Collections.Generic.Dictionary`2_Entry::key
int32_t ___key_2;
// TValue System.Collections.Generic.Dictionary`2_Entry::value
RuntimeObject * ___value_3;
public:
inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D, ___hashCode_0)); }
inline int32_t get_hashCode_0() const { return ___hashCode_0; }
inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; }
inline void set_hashCode_0(int32_t value)
{
___hashCode_0 = value;
}
inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D, ___next_1)); }
inline int32_t get_next_1() const { return ___next_1; }
inline int32_t* get_address_of_next_1() { return &___next_1; }
inline void set_next_1(int32_t value)
{
___next_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D, ___key_2)); }
inline int32_t get_key_2() const { return ___key_2; }
inline int32_t* get_address_of_key_2() { return &___key_2; }
inline void set_key_2(int32_t value)
{
___key_2 = value;
}
inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D, ___value_3)); }
inline RuntimeObject * get_value_3() const { return ___value_3; }
inline RuntimeObject ** get_address_of_value_3() { return &___value_3; }
inline void set_value_3(RuntimeObject * value)
{
___value_3 = value;
Il2CppCodeGenWriteBarrier((&___value_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENTRY_T7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_H
#ifndef ENTRY_T06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_H
#define ENTRY_T06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Int32>
struct Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE
{
public:
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode
int32_t ___hashCode_0;
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::next
int32_t ___next_1;
// TKey System.Collections.Generic.Dictionary`2_Entry::key
RuntimeObject * ___key_2;
// TValue System.Collections.Generic.Dictionary`2_Entry::value
int32_t ___value_3;
public:
inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE, ___hashCode_0)); }
inline int32_t get_hashCode_0() const { return ___hashCode_0; }
inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; }
inline void set_hashCode_0(int32_t value)
{
___hashCode_0 = value;
}
inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE, ___next_1)); }
inline int32_t get_next_1() const { return ___next_1; }
inline int32_t* get_address_of_next_1() { return &___next_1; }
inline void set_next_1(int32_t value)
{
___next_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE, ___key_2)); }
inline RuntimeObject * get_key_2() const { return ___key_2; }
inline RuntimeObject ** get_address_of_key_2() { return &___key_2; }
inline void set_key_2(RuntimeObject * value)
{
___key_2 = value;
Il2CppCodeGenWriteBarrier((&___key_2), value);
}
inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE, ___value_3)); }
inline int32_t get_value_3() const { return ___value_3; }
inline int32_t* get_address_of_value_3() { return &___value_3; }
inline void set_value_3(int32_t value)
{
___value_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENTRY_T06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_H
#ifndef ENTRY_T03898C03E4E291FD6780D28D81A25E3CACF2BADA_H
#define ENTRY_T03898C03E4E291FD6780D28D81A25E3CACF2BADA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Object>
struct Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA
{
public:
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode
int32_t ___hashCode_0;
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::next
int32_t ___next_1;
// TKey System.Collections.Generic.Dictionary`2_Entry::key
RuntimeObject * ___key_2;
// TValue System.Collections.Generic.Dictionary`2_Entry::value
RuntimeObject * ___value_3;
public:
inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA, ___hashCode_0)); }
inline int32_t get_hashCode_0() const { return ___hashCode_0; }
inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; }
inline void set_hashCode_0(int32_t value)
{
___hashCode_0 = value;
}
inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA, ___next_1)); }
inline int32_t get_next_1() const { return ___next_1; }
inline int32_t* get_address_of_next_1() { return &___next_1; }
inline void set_next_1(int32_t value)
{
___next_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA, ___key_2)); }
inline RuntimeObject * get_key_2() const { return ___key_2; }
inline RuntimeObject ** get_address_of_key_2() { return &___key_2; }
inline void set_key_2(RuntimeObject * value)
{
___key_2 = value;
Il2CppCodeGenWriteBarrier((&___key_2), value);
}
inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA, ___value_3)); }
inline RuntimeObject * get_value_3() const { return ___value_3; }
inline RuntimeObject ** get_address_of_value_3() { return &___value_3; }
inline void set_value_3(RuntimeObject * value)
{
___value_3 = value;
Il2CppCodeGenWriteBarrier((&___value_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENTRY_T03898C03E4E291FD6780D28D81A25E3CACF2BADA_H
#ifndef KEYVALUEPAIR_2_T86464C52F9602337EAC68825E6BE06951D7530CE_H
#define KEYVALUEPAIR_2_T86464C52F9602337EAC68825E6BE06951D7530CE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>
struct KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
int32_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_t86464C52F9602337EAC68825E6BE06951D7530CE, ___key_0)); }
inline int32_t get_key_0() const { return ___key_0; }
inline int32_t* get_address_of_key_0() { return &___key_0; }
inline void set_key_0(int32_t value)
{
___key_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE, ___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((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYVALUEPAIR_2_T86464C52F9602337EAC68825E6BE06951D7530CE_H
#ifndef KEYVALUEPAIR_2_T3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_H
#define KEYVALUEPAIR_2_T3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>
struct KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
RuntimeObject * ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
int32_t ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E, ___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((&___key_0), value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E, ___value_1)); }
inline int32_t get_value_1() const { return ___value_1; }
inline int32_t* get_address_of_value_1() { return &___value_1; }
inline void set_value_1(int32_t value)
{
___value_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYVALUEPAIR_2_T3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_H
#ifndef KEYVALUEPAIR_2_T23481547E419E16E3B96A303578C1EB685C99EEE_H
#define KEYVALUEPAIR_2_T23481547E419E16E3B96A303578C1EB685C99EEE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>
struct KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
RuntimeObject * ___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_t23481547E419E16E3B96A303578C1EB685C99EEE, ___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((&___key_0), value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE, ___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((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYVALUEPAIR_2_T23481547E419E16E3B96A303578C1EB685C99EEE_H
#ifndef BUCKET_T1C848488DF65838689F7773D46F9E7E8C881B083_H
#define BUCKET_T1C848488DF65838689F7773D46F9E7E8C881B083_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Hashtable_bucket
struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083
{
public:
// System.Object System.Collections.Hashtable_bucket::key
RuntimeObject * ___key_0;
// System.Object System.Collections.Hashtable_bucket::val
RuntimeObject * ___val_1;
// System.Int32 System.Collections.Hashtable_bucket::hash_coll
int32_t ___hash_coll_2;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___key_0)); }
inline RuntimeObject * get_key_0() const { return ___key_0; }
inline RuntimeObject ** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(RuntimeObject * value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((&___key_0), value);
}
inline static int32_t get_offset_of_val_1() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___val_1)); }
inline RuntimeObject * get_val_1() const { return ___val_1; }
inline RuntimeObject ** get_address_of_val_1() { return &___val_1; }
inline void set_val_1(RuntimeObject * value)
{
___val_1 = value;
Il2CppCodeGenWriteBarrier((&___val_1), value);
}
inline static int32_t get_offset_of_hash_coll_2() { return static_cast<int32_t>(offsetof(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083, ___hash_coll_2)); }
inline int32_t get_hash_coll_2() const { return ___hash_coll_2; }
inline int32_t* get_address_of_hash_coll_2() { return &___hash_coll_2; }
inline void set_hash_coll_2(int32_t value)
{
___hash_coll_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Collections.Hashtable/bucket
struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_pinvoke
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___val_1;
int32_t ___hash_coll_2;
};
// Native definition for COM marshalling of System.Collections.Hashtable/bucket
struct bucket_t1C848488DF65838689F7773D46F9E7E8C881B083_marshaled_com
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___val_1;
int32_t ___hash_coll_2;
};
#endif // BUCKET_T1C848488DF65838689F7773D46F9E7E8C881B083_H
#ifndef DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#define DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.DateTime
struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132
{
public:
// System.UInt64 System.DateTime::dateData
uint64_t ___dateData_44;
public:
inline static int32_t get_offset_of_dateData_44() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132, ___dateData_44)); }
inline uint64_t get_dateData_44() const { return ___dateData_44; }
inline uint64_t* get_address_of_dateData_44() { return &___dateData_44; }
inline void set_dateData_44(uint64_t value)
{
___dateData_44 = value;
}
};
struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields
{
public:
// System.Int32[] System.DateTime::DaysToMonth365
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth365_29;
// System.Int32[] System.DateTime::DaysToMonth366
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth366_30;
// System.DateTime System.DateTime::MinValue
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MinValue_31;
// System.DateTime System.DateTime::MaxValue
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MaxValue_32;
public:
inline static int32_t get_offset_of_DaysToMonth365_29() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth365_29)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth365_29() const { return ___DaysToMonth365_29; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth365_29() { return &___DaysToMonth365_29; }
inline void set_DaysToMonth365_29(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___DaysToMonth365_29 = value;
Il2CppCodeGenWriteBarrier((&___DaysToMonth365_29), value);
}
inline static int32_t get_offset_of_DaysToMonth366_30() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth366_30)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth366_30() const { return ___DaysToMonth366_30; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth366_30() { return &___DaysToMonth366_30; }
inline void set_DaysToMonth366_30(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___DaysToMonth366_30 = value;
Il2CppCodeGenWriteBarrier((&___DaysToMonth366_30), value);
}
inline static int32_t get_offset_of_MinValue_31() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MinValue_31)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MinValue_31() const { return ___MinValue_31; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MinValue_31() { return &___MinValue_31; }
inline void set_MinValue_31(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___MinValue_31 = value;
}
inline static int32_t get_offset_of_MaxValue_32() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MaxValue_32)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MaxValue_32() const { return ___MaxValue_32; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MaxValue_32() { return &___MaxValue_32; }
inline void set_MaxValue_32(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___MaxValue_32 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifndef DECIMAL_T44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_H
#define DECIMAL_T44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Decimal
struct Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8
{
public:
// System.Int32 System.Decimal::flags
int32_t ___flags_14;
// System.Int32 System.Decimal::hi
int32_t ___hi_15;
// System.Int32 System.Decimal::lo
int32_t ___lo_16;
// System.Int32 System.Decimal::mid
int32_t ___mid_17;
public:
inline static int32_t get_offset_of_flags_14() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___flags_14)); }
inline int32_t get_flags_14() const { return ___flags_14; }
inline int32_t* get_address_of_flags_14() { return &___flags_14; }
inline void set_flags_14(int32_t value)
{
___flags_14 = value;
}
inline static int32_t get_offset_of_hi_15() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___hi_15)); }
inline int32_t get_hi_15() const { return ___hi_15; }
inline int32_t* get_address_of_hi_15() { return &___hi_15; }
inline void set_hi_15(int32_t value)
{
___hi_15 = value;
}
inline static int32_t get_offset_of_lo_16() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___lo_16)); }
inline int32_t get_lo_16() const { return ___lo_16; }
inline int32_t* get_address_of_lo_16() { return &___lo_16; }
inline void set_lo_16(int32_t value)
{
___lo_16 = value;
}
inline static int32_t get_offset_of_mid_17() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8, ___mid_17)); }
inline int32_t get_mid_17() const { return ___mid_17; }
inline int32_t* get_address_of_mid_17() { return &___mid_17; }
inline void set_mid_17(int32_t value)
{
___mid_17 = value;
}
};
struct Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields
{
public:
// System.UInt32[] System.Decimal::Powers10
UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* ___Powers10_6;
// System.Decimal System.Decimal::Zero
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___Zero_7;
// System.Decimal System.Decimal::One
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___One_8;
// System.Decimal System.Decimal::MinusOne
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MinusOne_9;
// System.Decimal System.Decimal::MaxValue
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MaxValue_10;
// System.Decimal System.Decimal::MinValue
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___MinValue_11;
// System.Decimal System.Decimal::NearNegativeZero
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___NearNegativeZero_12;
// System.Decimal System.Decimal::NearPositiveZero
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 ___NearPositiveZero_13;
public:
inline static int32_t get_offset_of_Powers10_6() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___Powers10_6)); }
inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* get_Powers10_6() const { return ___Powers10_6; }
inline UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB** get_address_of_Powers10_6() { return &___Powers10_6; }
inline void set_Powers10_6(UInt32U5BU5D_t9AA834AF2940E75BBF8E3F08FF0D20D266DB71CB* value)
{
___Powers10_6 = value;
Il2CppCodeGenWriteBarrier((&___Powers10_6), value);
}
inline static int32_t get_offset_of_Zero_7() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___Zero_7)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_Zero_7() const { return ___Zero_7; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_Zero_7() { return &___Zero_7; }
inline void set_Zero_7(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___Zero_7 = value;
}
inline static int32_t get_offset_of_One_8() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___One_8)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_One_8() const { return ___One_8; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_One_8() { return &___One_8; }
inline void set_One_8(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___One_8 = value;
}
inline static int32_t get_offset_of_MinusOne_9() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MinusOne_9)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MinusOne_9() const { return ___MinusOne_9; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MinusOne_9() { return &___MinusOne_9; }
inline void set_MinusOne_9(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___MinusOne_9 = value;
}
inline static int32_t get_offset_of_MaxValue_10() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MaxValue_10)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MaxValue_10() const { return ___MaxValue_10; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MaxValue_10() { return &___MaxValue_10; }
inline void set_MaxValue_10(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___MaxValue_10 = value;
}
inline static int32_t get_offset_of_MinValue_11() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___MinValue_11)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_MinValue_11() const { return ___MinValue_11; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_MinValue_11() { return &___MinValue_11; }
inline void set_MinValue_11(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___MinValue_11 = value;
}
inline static int32_t get_offset_of_NearNegativeZero_12() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___NearNegativeZero_12)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_NearNegativeZero_12() const { return ___NearNegativeZero_12; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_NearNegativeZero_12() { return &___NearNegativeZero_12; }
inline void set_NearNegativeZero_12(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___NearNegativeZero_12 = value;
}
inline static int32_t get_offset_of_NearPositiveZero_13() { return static_cast<int32_t>(offsetof(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_StaticFields, ___NearPositiveZero_13)); }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 get_NearPositiveZero_13() const { return ___NearPositiveZero_13; }
inline Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 * get_address_of_NearPositiveZero_13() { return &___NearPositiveZero_13; }
inline void set_NearPositiveZero_13(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 value)
{
___NearPositiveZero_13 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DECIMAL_T44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_H
#ifndef DOUBLE_T358B8F23BDC52A5DD700E727E204F9F7CDE12409_H
#define DOUBLE_T358B8F23BDC52A5DD700E727E204F9F7CDE12409_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Double
struct Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409
{
public:
// System.Double System.Double::m_value
double ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409, ___m_value_0)); }
inline double get_m_value_0() const { return ___m_value_0; }
inline double* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(double value)
{
___m_value_0 = value;
}
};
struct Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_StaticFields
{
public:
// System.Double System.Double::NegativeZero
double ___NegativeZero_7;
public:
inline static int32_t get_offset_of_NegativeZero_7() { return static_cast<int32_t>(offsetof(Double_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_StaticFields, ___NegativeZero_7)); }
inline double get_NegativeZero_7() const { return ___NegativeZero_7; }
inline double* get_address_of_NegativeZero_7() { return &___NegativeZero_7; }
inline void set_NegativeZero_7(double value)
{
___NegativeZero_7 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DOUBLE_T358B8F23BDC52A5DD700E727E204F9F7CDE12409_H
#ifndef ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#define ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 : public ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF
{
public:
public:
};
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields
{
public:
// System.Char[] System.Enum::enumSeperatorCharArray
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___enumSeperatorCharArray_0;
public:
inline static int32_t get_offset_of_enumSeperatorCharArray_0() { return static_cast<int32_t>(offsetof(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields, ___enumSeperatorCharArray_0)); }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_enumSeperatorCharArray_0() const { return ___enumSeperatorCharArray_0; }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_enumSeperatorCharArray_0() { return &___enumSeperatorCharArray_0; }
inline void set_enumSeperatorCharArray_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value)
{
___enumSeperatorCharArray_0 = value;
Il2CppCodeGenWriteBarrier((&___enumSeperatorCharArray_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_com
{
};
#endif // ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifndef INTERNALCODEPAGEDATAITEM_T34EE39DE4A481B875348BB9BC6751E2A109AD0D4_H
#define INTERNALCODEPAGEDATAITEM_T34EE39DE4A481B875348BB9BC6751E2A109AD0D4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Globalization.InternalCodePageDataItem
struct InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4
{
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_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4, ___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_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4, ___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_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4, ___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_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4, ___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((&___Names_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Globalization.InternalCodePageDataItem
struct InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_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_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_marshaled_com
{
uint16_t ___codePage_0;
uint16_t ___uiFamilyCodePage_1;
uint32_t ___flags_2;
Il2CppChar* ___Names_3;
};
#endif // INTERNALCODEPAGEDATAITEM_T34EE39DE4A481B875348BB9BC6751E2A109AD0D4_H
#ifndef INTERNALENCODINGDATAITEM_T34BEF550D56496035752E8E0607127CD43378211_H
#define INTERNALENCODINGDATAITEM_T34BEF550D56496035752E8E0607127CD43378211_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211
{
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_t34BEF550D56496035752E8E0607127CD43378211, ___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((&___webName_0), value);
}
inline static int32_t get_offset_of_codePage_1() { return static_cast<int32_t>(offsetof(InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_marshaled_pinvoke
{
char* ___webName_0;
uint16_t ___codePage_1;
};
// Native definition for COM marshalling of System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_marshaled_com
{
Il2CppChar* ___webName_0;
uint16_t ___codePage_1;
};
#endif // INTERNALENCODINGDATAITEM_T34BEF550D56496035752E8E0607127CD43378211_H
#ifndef INT16_T823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_H
#define INT16_T823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Int16
struct Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D
{
public:
// System.Int16 System.Int16::m_value
int16_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D, ___m_value_0)); }
inline int16_t get_m_value_0() const { return ___m_value_0; }
inline int16_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int16_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT16_T823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_H
#ifndef INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#define INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Int32
struct Int32_t585191389E07734F19F3156FF88FB3EF4800D102
{
public:
// System.Int32 System.Int32::m_value
int32_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int32_t585191389E07734F19F3156FF88FB3EF4800D102, ___m_value_0)); }
inline int32_t get_m_value_0() const { return ___m_value_0; }
inline int32_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int32_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT32_T585191389E07734F19F3156FF88FB3EF4800D102_H
#ifndef INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#define INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Int64
struct Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436
{
public:
// System.Int64 System.Int64::m_value
int64_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436, ___m_value_0)); }
inline int64_t get_m_value_0() const { return ___m_value_0; }
inline int64_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int64_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT64_T7A386C2FF7B0280A0F516992401DDFCF0FF7B436_H
#ifndef INTPTR_T_H
#define INTPTR_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.IntPtr
struct IntPtr_t
{
public:
// System.Void* System.IntPtr::m_value
void* ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); }
inline void* get_m_value_0() const { return ___m_value_0; }
inline void** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(void* value)
{
___m_value_0 = value;
}
};
struct IntPtr_t_StaticFields
{
public:
// System.IntPtr System.IntPtr::Zero
intptr_t ___Zero_1;
public:
inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); }
inline intptr_t get_Zero_1() const { return ___Zero_1; }
inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; }
inline void set_Zero_1(intptr_t value)
{
___Zero_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTPTR_T_H
#ifndef NULLABLE_1_T0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB_H
#define NULLABLE_1_T0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Nullable`1<System.Int32>
struct Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB
{
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_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB, ___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_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NULLABLE_1_T0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB_H
#ifndef FORMATPARAM_T1901DD0E7CD1B3A17B09040A6E2FCA5307328800_H
#define FORMATPARAM_T1901DD0E7CD1B3A17B09040A6E2FCA5307328800_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ParameterizedStrings_FormatParam
struct FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800
{
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_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800, ____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_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800, ____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((&____string_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.ParameterizedStrings/FormatParam
struct FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_marshaled_pinvoke
{
int32_t ____int32_0;
char* ____string_1;
};
// Native definition for COM marshalling of System.ParameterizedStrings/FormatParam
struct FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_marshaled_com
{
int32_t ____int32_0;
Il2CppChar* ____string_1;
};
#endif // FORMATPARAM_T1901DD0E7CD1B3A17B09040A6E2FCA5307328800_H
#ifndef CUSTOMATTRIBUTETYPEDARGUMENT_T238ACCB3A438CB5EDE4A924C637B288CCEC958E8_H
#define CUSTOMATTRIBUTETYPEDARGUMENT_T238ACCB3A438CB5EDE4A924C637B288CCEC958E8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8
{
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_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8, ___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((&___argumentType_0), value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8, ___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((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_marshaled_pinvoke
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_marshaled_com
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
#endif // CUSTOMATTRIBUTETYPEDARGUMENT_T238ACCB3A438CB5EDE4A924C637B288CCEC958E8_H
#ifndef PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#define PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E
{
public:
// System.Boolean[] System.Reflection.ParameterModifier::_byRef
BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* ____byRef_0;
public:
inline static int32_t get_offset_of__byRef_0() { return static_cast<int32_t>(offsetof(ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E, ____byRef_0)); }
inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* get__byRef_0() const { return ____byRef_0; }
inline BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040** get_address_of__byRef_0() { return &____byRef_0; }
inline void set__byRef_0(BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* value)
{
____byRef_0 = value;
Il2CppCodeGenWriteBarrier((&____byRef_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_marshaled_pinvoke
{
int32_t* ____byRef_0;
};
// Native definition for COM marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_marshaled_com
{
int32_t* ____byRef_0;
};
#endif // PARAMETERMODIFIER_T7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_H
#ifndef RESOURCELOCATOR_T1783916E271C27CB09DF57E7E5ED08ECA4B3275C_H
#define RESOURCELOCATOR_T1783916E271C27CB09DF57E7E5ED08ECA4B3275C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Resources.ResourceLocator
struct ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C
{
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_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C, ____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((&____value_0), value);
}
inline static int32_t get_offset_of__dataPos_1() { return static_cast<int32_t>(offsetof(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C, ____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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Resources.ResourceLocator
struct ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_marshaled_pinvoke
{
Il2CppIUnknown* ____value_0;
int32_t ____dataPos_1;
};
// Native definition for COM marshalling of System.Resources.ResourceLocator
struct ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_marshaled_com
{
Il2CppIUnknown* ____value_0;
int32_t ____dataPos_1;
};
#endif // RESOURCELOCATOR_T1783916E271C27CB09DF57E7E5ED08ECA4B3275C_H
#ifndef ASYNCMETHODBUILDERCORE_T4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01_H
#define ASYNCMETHODBUILDERCORE_T4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01
{
public:
// System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.AsyncMethodBuilderCore::m_stateMachine
RuntimeObject* ___m_stateMachine_0;
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore::m_defaultContextAction
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * ___m_defaultContextAction_1;
public:
inline static int32_t get_offset_of_m_stateMachine_0() { return static_cast<int32_t>(offsetof(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01, ___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((&___m_stateMachine_0), value);
}
inline static int32_t get_offset_of_m_defaultContextAction_1() { return static_cast<int32_t>(offsetof(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01, ___m_defaultContextAction_1)); }
inline Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * get_m_defaultContextAction_1() const { return ___m_defaultContextAction_1; }
inline Action_t591D2A86165F896B4B800BB5C25CE18672A55579 ** get_address_of_m_defaultContextAction_1() { return &___m_defaultContextAction_1; }
inline void set_m_defaultContextAction_1(Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * value)
{
___m_defaultContextAction_1 = value;
Il2CppCodeGenWriteBarrier((&___m_defaultContextAction_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01_marshaled_pinvoke
{
RuntimeObject* ___m_stateMachine_0;
Il2CppMethodPointer ___m_defaultContextAction_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01_marshaled_com
{
RuntimeObject* ___m_stateMachine_0;
Il2CppMethodPointer ___m_defaultContextAction_1;
};
#endif // ASYNCMETHODBUILDERCORE_T4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01_H
#ifndef CONFIGUREDTASKAWAITER_TF1AAA16B8A1250CA037E32157A3424CD2BA47874_H
#define CONFIGUREDTASKAWAITER_TF1AAA16B8A1250CA037E32157A3424CD2BA47874_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter
struct ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874
{
public:
// System.Threading.Tasks.Task System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter::m_task
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___m_task_0;
// System.Boolean System.Runtime.CompilerServices.ConfiguredTaskAwaitable_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_tF1AAA16B8A1250CA037E32157A3424CD2BA47874, ___m_task_0)); }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get_m_task_0() const { return ___m_task_0; }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter
struct ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_marshaled_pinvoke
{
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___m_task_0;
int32_t ___m_continueOnCapturedContext_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter
struct ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_marshaled_com
{
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___m_task_0;
int32_t ___m_continueOnCapturedContext_1;
};
#endif // CONFIGUREDTASKAWAITER_TF1AAA16B8A1250CA037E32157A3424CD2BA47874_H
#ifndef CONFIGUREDTASKAWAITER_T688A02A53D1A4A883C7DDAFE0F07F17691C51E96_H
#define CONFIGUREDTASKAWAITER_T688A02A53D1A4A883C7DDAFE0F07F17691C51E96_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<Mono.Net.Security.AsyncProtocolResult>
struct ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * ___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_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96, ___m_task_0)); }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_T688A02A53D1A4A883C7DDAFE0F07F17691C51E96_H
#ifndef CONFIGUREDTASKAWAITER_T785B9A8BC038067B15BF7BC1343F623CB02FD065_H
#define CONFIGUREDTASKAWAITER_T785B9A8BC038067B15BF7BC1343F623CB02FD065_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Boolean>
struct ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * ___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_t785B9A8BC038067B15BF7BC1343F623CB02FD065, ___m_task_0)); }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_T785B9A8BC038067B15BF7BC1343F623CB02FD065_H
#ifndef CONFIGUREDTASKAWAITER_T18D0589F789FFE82A30A223888FB7C5BED32C63E_H
#define CONFIGUREDTASKAWAITER_T18D0589F789FFE82A30A223888FB7C5BED32C63E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Int32>
struct ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * ___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_t18D0589F789FFE82A30A223888FB7C5BED32C63E, ___m_task_0)); }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_T18D0589F789FFE82A30A223888FB7C5BED32C63E_H
#ifndef CONFIGUREDTASKAWAITER_T7DF2E84988582301369783F2ECA65B4F26D5A740_H
#define CONFIGUREDTASKAWAITER_T7DF2E84988582301369783F2ECA65B4F26D5A740_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>
struct ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_t8906695C9865566AA79419735634FF27AC74506E * ___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_t7DF2E84988582301369783F2ECA65B4F26D5A740, ___m_task_0)); }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t8906695C9865566AA79419735634FF27AC74506E * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_T7DF2E84988582301369783F2ECA65B4F26D5A740_H
#ifndef CONFIGUREDTASKAWAITER_TFB3C4197768C6CF02BE088F703AA6E46D703D46E_H
#define CONFIGUREDTASKAWAITER_TFB3C4197768C6CF02BE088F703AA6E46D703D46E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Object>
struct ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * ___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_tFB3C4197768C6CF02BE088F703AA6E46D703D46E, ___m_task_0)); }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_TFB3C4197768C6CF02BE088F703AA6E46D703D46E_H
#ifndef CONFIGUREDTASKAWAITER_TD4BEDA267F72A0A17D4D6169CAAC637DB564E87B_H
#define CONFIGUREDTASKAWAITER_TD4BEDA267F72A0A17D4D6169CAAC637DB564E87B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Threading.Tasks.Task>
struct ConfiguredTaskAwaiter_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter::m_task
Task_1_t6E4E91059C08F359F21A42B8BFA51E8BBFA47138 * ___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_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B, ___m_task_0)); }
inline Task_1_t6E4E91059C08F359F21A42B8BFA51E8BBFA47138 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t6E4E91059C08F359F21A42B8BFA51E8BBFA47138 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t6E4E91059C08F359F21A42B8BFA51E8BBFA47138 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONFIGUREDTASKAWAITER_TD4BEDA267F72A0A17D4D6169CAAC637DB564E87B_H
#ifndef EPHEMERON_T6F0B12401657FF132AB44052E5BCD06D358FF1BA_H
#define EPHEMERON_T6F0B12401657FF132AB44052E5BCD06D358FF1BA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA
{
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_t6F0B12401657FF132AB44052E5BCD06D358FF1BA, ___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((&___key_0), value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA, ___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((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_marshaled_pinvoke
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___value_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_marshaled_com
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___value_1;
};
#endif // EPHEMERON_T6F0B12401657FF132AB44052E5BCD06D358FF1BA_H
#ifndef TASKAWAITER_1_T76D3FA58DD26D9E230E85DA513E242AC5927BE24_H
#define TASKAWAITER_1_T76D3FA58DD26D9E230E85DA513E242AC5927BE24_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.TaskAwaiter`1<System.Int32>
struct TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.TaskAwaiter`1::m_task
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * ___m_task_0;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24, ___m_task_0)); }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASKAWAITER_1_T76D3FA58DD26D9E230E85DA513E242AC5927BE24_H
#ifndef TASKAWAITER_1_T8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977_H
#define TASKAWAITER_1_T8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.TaskAwaiter`1<System.Object>
struct TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.TaskAwaiter`1::m_task
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * ___m_task_0;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977, ___m_task_0)); }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((&___m_task_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASKAWAITER_1_T8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977_H
#ifndef SBYTE_T9070AEA2966184235653CB9B4D33B149CDA831DF_H
#define SBYTE_T9070AEA2966184235653CB9B4D33B149CDA831DF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.SByte
struct SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF
{
public:
// System.SByte System.SByte::m_value
int8_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(SByte_t9070AEA2966184235653CB9B4D33B149CDA831DF, ___m_value_0)); }
inline int8_t get_m_value_0() const { return ___m_value_0; }
inline int8_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int8_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SBYTE_T9070AEA2966184235653CB9B4D33B149CDA831DF_H
#ifndef SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#define SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Single
struct Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1
{
public:
// System.Single System.Single::m_value
float ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1, ___m_value_0)); }
inline float get_m_value_0() const { return ___m_value_0; }
inline float* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(float value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SINGLE_TDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_H
#ifndef SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#define SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.SystemException
struct SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 : public Exception_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SYSTEMEXCEPTION_T5380468142AA850BE4A341D7AF3EAB9C78746782_H
#ifndef LOWERCASEMAPPING_T3F087D71A4D7A309FD5492CE33501FD4F4709D7B_H
#define LOWERCASEMAPPING_T3F087D71A4D7A309FD5492CE33501FD4F4709D7B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping
struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B
{
public:
// System.Char System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_chMin
Il2CppChar ____chMin_0;
// System.Char System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_chMax
Il2CppChar ____chMax_1;
// System.Int32 System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_lcOp
int32_t ____lcOp_2;
// System.Int32 System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping::_data
int32_t ____data_3;
public:
inline static int32_t get_offset_of__chMin_0() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____chMin_0)); }
inline Il2CppChar get__chMin_0() const { return ____chMin_0; }
inline Il2CppChar* get_address_of__chMin_0() { return &____chMin_0; }
inline void set__chMin_0(Il2CppChar value)
{
____chMin_0 = value;
}
inline static int32_t get_offset_of__chMax_1() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____chMax_1)); }
inline Il2CppChar get__chMax_1() const { return ____chMax_1; }
inline Il2CppChar* get_address_of__chMax_1() { return &____chMax_1; }
inline void set__chMax_1(Il2CppChar value)
{
____chMax_1 = value;
}
inline static int32_t get_offset_of__lcOp_2() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____lcOp_2)); }
inline int32_t get__lcOp_2() const { return ____lcOp_2; }
inline int32_t* get_address_of__lcOp_2() { return &____lcOp_2; }
inline void set__lcOp_2(int32_t value)
{
____lcOp_2 = value;
}
inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B, ____data_3)); }
inline int32_t get__data_3() const { return ____data_3; }
inline int32_t* get_address_of__data_3() { return &____data_3; }
inline void set__data_3(int32_t value)
{
____data_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping
struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_marshaled_pinvoke
{
uint8_t ____chMin_0;
uint8_t ____chMax_1;
int32_t ____lcOp_2;
int32_t ____data_3;
};
// Native definition for COM marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping
struct LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_marshaled_com
{
uint8_t ____chMin_0;
uint8_t ____chMax_1;
int32_t ____lcOp_2;
int32_t ____data_3;
};
#endif // LOWERCASEMAPPING_T3F087D71A4D7A309FD5492CE33501FD4F4709D7B_H
#ifndef CANCELLATIONTOKEN_T9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_H
#define CANCELLATIONTOKEN_T9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.CancellationToken
struct CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB
{
public:
// System.Threading.CancellationTokenSource System.Threading.CancellationToken::m_source
CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * ___m_source_0;
public:
inline static int32_t get_offset_of_m_source_0() { return static_cast<int32_t>(offsetof(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB, ___m_source_0)); }
inline CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * get_m_source_0() const { return ___m_source_0; }
inline CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE ** get_address_of_m_source_0() { return &___m_source_0; }
inline void set_m_source_0(CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * value)
{
___m_source_0 = value;
Il2CppCodeGenWriteBarrier((&___m_source_0), value);
}
};
struct CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_StaticFields
{
public:
// System.Action`1<System.Object> System.Threading.CancellationToken::s_ActionToActionObjShunt
Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ___s_ActionToActionObjShunt_1;
public:
inline static int32_t get_offset_of_s_ActionToActionObjShunt_1() { return static_cast<int32_t>(offsetof(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_StaticFields, ___s_ActionToActionObjShunt_1)); }
inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get_s_ActionToActionObjShunt_1() const { return ___s_ActionToActionObjShunt_1; }
inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of_s_ActionToActionObjShunt_1() { return &___s_ActionToActionObjShunt_1; }
inline void set_s_ActionToActionObjShunt_1(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value)
{
___s_ActionToActionObjShunt_1 = value;
Il2CppCodeGenWriteBarrier((&___s_ActionToActionObjShunt_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Threading.CancellationToken
struct CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_marshaled_pinvoke
{
CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * ___m_source_0;
};
// Native definition for COM marshalling of System.Threading.CancellationToken
struct CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_marshaled_com
{
CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * ___m_source_0;
};
#endif // CANCELLATIONTOKEN_T9E956952F7F20908F2AE72EDF36D97E6C7DB63AB_H
#ifndef READER_T5766DE258B6B590281150D8DB517B651F9F4F33B_H
#define READER_T5766DE258B6B590281150D8DB517B651F9F4F33B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.ExecutionContext_Reader
struct Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B
{
public:
// System.Threading.ExecutionContext System.Threading.ExecutionContext_Reader::m_ec
ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * ___m_ec_0;
public:
inline static int32_t get_offset_of_m_ec_0() { return static_cast<int32_t>(offsetof(Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B, ___m_ec_0)); }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * get_m_ec_0() const { return ___m_ec_0; }
inline ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 ** get_address_of_m_ec_0() { return &___m_ec_0; }
inline void set_m_ec_0(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * value)
{
___m_ec_0 = value;
Il2CppCodeGenWriteBarrier((&___m_ec_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Threading.ExecutionContext/Reader
struct Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B_marshaled_pinvoke
{
ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * ___m_ec_0;
};
// Native definition for COM marshalling of System.Threading.ExecutionContext/Reader
struct Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B_marshaled_com
{
ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70 * ___m_ec_0;
};
#endif // READER_T5766DE258B6B590281150D8DB517B651F9F4F33B_H
#ifndef SPARSELYPOPULATEDARRAYADDINFO_1_T0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE_H
#define SPARSELYPOPULATEDARRAYADDINFO_1_T0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.SparselyPopulatedArrayAddInfo`1<System.Threading.CancellationCallbackInfo>
struct SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE
{
public:
// System.Threading.SparselyPopulatedArrayFragment`1<T> System.Threading.SparselyPopulatedArrayAddInfo`1::m_source
SparselyPopulatedArrayFragment_1_tA54224D01E2FDC03AC2867CDDC8C53E17FA933D7 * ___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_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE, ___m_source_0)); }
inline SparselyPopulatedArrayFragment_1_tA54224D01E2FDC03AC2867CDDC8C53E17FA933D7 * get_m_source_0() const { return ___m_source_0; }
inline SparselyPopulatedArrayFragment_1_tA54224D01E2FDC03AC2867CDDC8C53E17FA933D7 ** get_address_of_m_source_0() { return &___m_source_0; }
inline void set_m_source_0(SparselyPopulatedArrayFragment_1_tA54224D01E2FDC03AC2867CDDC8C53E17FA933D7 * value)
{
___m_source_0 = value;
Il2CppCodeGenWriteBarrier((&___m_source_0), value);
}
inline static int32_t get_offset_of_m_index_1() { return static_cast<int32_t>(offsetof(SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPARSELYPOPULATEDARRAYADDINFO_1_T0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE_H
#ifndef VOIDTASKRESULT_T66EBC10DDE738848DB00F6EC1A2536D7D4715F40_H
#define VOIDTASKRESULT_T66EBC10DDE738848DB00F6EC1A2536D7D4715F40_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.VoidTaskResult
struct VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40
{
public:
union
{
struct
{
};
uint8_t VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40__padding[1];
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VOIDTASKRESULT_T66EBC10DDE738848DB00F6EC1A2536D7D4715F40_H
#ifndef UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#define UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.UInt16
struct UInt16_tAE45CEF73BF720100519F6867F32145D075F928E
{
public:
// System.UInt16 System.UInt16::m_value
uint16_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt16_tAE45CEF73BF720100519F6867F32145D075F928E, ___m_value_0)); }
inline uint16_t get_m_value_0() const { return ___m_value_0; }
inline uint16_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint16_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UINT16_TAE45CEF73BF720100519F6867F32145D075F928E_H
#ifndef UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#define UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.UInt32
struct UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B
{
public:
// System.UInt32 System.UInt32::m_value
uint32_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B, ___m_value_0)); }
inline uint32_t get_m_value_0() const { return ___m_value_0; }
inline uint32_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint32_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UINT32_T4980FA09003AFAAB5A6E361BA2748EA9A005709B_H
#ifndef UINT64_TA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_H
#define UINT64_TA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.UInt64
struct UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E
{
public:
// System.UInt64 System.UInt64::m_value
uint64_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E, ___m_value_0)); }
inline uint64_t get_m_value_0() const { return ___m_value_0; }
inline uint64_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint64_t value)
{
___m_value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // UINT64_TA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_H
#ifndef VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#define VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017
{
public:
union
{
struct
{
};
uint8_t Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017__padding[1];
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifndef ORDERBLOCK_T3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_H
#define ORDERBLOCK_T3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.BeforeRenderHelper_OrderBlock
struct OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727
{
public:
// System.Int32 UnityEngine.BeforeRenderHelper_OrderBlock::order
int32_t ___order_0;
// UnityEngine.Events.UnityAction UnityEngine.BeforeRenderHelper_OrderBlock::callback
UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4 * ___callback_1;
public:
inline static int32_t get_offset_of_order_0() { return static_cast<int32_t>(offsetof(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727, ___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_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727, ___callback_1)); }
inline UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4 * get_callback_1() const { return ___callback_1; }
inline UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4 ** get_address_of_callback_1() { return &___callback_1; }
inline void set_callback_1(UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4 * value)
{
___callback_1 = value;
Il2CppCodeGenWriteBarrier((&___callback_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.BeforeRenderHelper/OrderBlock
struct OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_marshaled_pinvoke
{
int32_t ___order_0;
Il2CppMethodPointer ___callback_1;
};
// Native definition for COM marshalling of UnityEngine.BeforeRenderHelper/OrderBlock
struct OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_marshaled_com
{
int32_t ___order_0;
Il2CppMethodPointer ___callback_1;
};
#endif // ORDERBLOCK_T3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_H
#ifndef KEYFRAME_T9E945CACC5AC36E067B15A634096A223A06D2D74_H
#define KEYFRAME_T9E945CACC5AC36E067B15A634096A223A06D2D74_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Keyframe
struct Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74
{
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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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_t9E945CACC5AC36E067B15A634096A223A06D2D74, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYFRAME_T9E945CACC5AC36E067B15A634096A223A06D2D74_H
#ifndef HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#define HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SendMouseEvents_HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12
{
public:
// UnityEngine.GameObject UnityEngine.SendMouseEvents_HitInfo::target
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
// UnityEngine.Camera UnityEngine.SendMouseEvents_HitInfo::camera
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
public:
inline static int32_t get_offset_of_target_0() { return static_cast<int32_t>(offsetof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12, ___target_0)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_target_0() const { return ___target_0; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_target_0() { return &___target_0; }
inline void set_target_0(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___target_0 = value;
Il2CppCodeGenWriteBarrier((&___target_0), value);
}
inline static int32_t get_offset_of_camera_1() { return static_cast<int32_t>(offsetof(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12, ___camera_1)); }
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * get_camera_1() const { return ___camera_1; }
inline Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 ** get_address_of_camera_1() { return &___camera_1; }
inline void set_camera_1(Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * value)
{
___camera_1 = value;
Il2CppCodeGenWriteBarrier((&___camera_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_pinvoke
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
};
// Native definition for COM marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_marshaled_com
{
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___target_0;
Camera_t48B2B9ECB3CE6108A98BF949A1CECF0FE3421F34 * ___camera_1;
};
#endif // HITINFO_T3DDACA0CB28E94463E17542FA7F04245A8AE1C12_H
#ifndef GCACHIEVEMENTDATA_T5CBCF44628981C91C76C552716A7D551670DCE55_H
#define GCACHIEVEMENTDATA_T5CBCF44628981C91C76C552716A7D551670DCE55_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SocialPlatforms.GameCenter.GcAchievementData
struct GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55
{
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_t5CBCF44628981C91C76C552716A7D551670DCE55, ___m_Identifier_0)); }
inline String_t* get_m_Identifier_0() const { return ___m_Identifier_0; }
inline String_t** get_address_of_m_Identifier_0() { return &___m_Identifier_0; }
inline void set_m_Identifier_0(String_t* value)
{
___m_Identifier_0 = value;
Il2CppCodeGenWriteBarrier((&___m_Identifier_0), value);
}
inline static int32_t get_offset_of_m_PercentCompleted_1() { return static_cast<int32_t>(offsetof(GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55, ___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_t5CBCF44628981C91C76C552716A7D551670DCE55, ___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_t5CBCF44628981C91C76C552716A7D551670DCE55, ___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_t5CBCF44628981C91C76C552716A7D551670DCE55, ___m_LastReportedDate_4)); }
inline int32_t get_m_LastReportedDate_4() const { return ___m_LastReportedDate_4; }
inline int32_t* get_address_of_m_LastReportedDate_4() { return &___m_LastReportedDate_4; }
inline void set_m_LastReportedDate_4(int32_t value)
{
___m_LastReportedDate_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementData
struct GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_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_t5CBCF44628981C91C76C552716A7D551670DCE55_marshaled_com
{
Il2CppChar* ___m_Identifier_0;
double ___m_PercentCompleted_1;
int32_t ___m_Completed_2;
int32_t ___m_Hidden_3;
int32_t ___m_LastReportedDate_4;
};
#endif // GCACHIEVEMENTDATA_T5CBCF44628981C91C76C552716A7D551670DCE55_H
#ifndef GCSCOREDATA_T45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_H
#define GCSCOREDATA_T45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SocialPlatforms.GameCenter.GcScoreData
struct GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A
{
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_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___m_Category_0)); }
inline String_t* get_m_Category_0() const { return ___m_Category_0; }
inline String_t** get_address_of_m_Category_0() { return &___m_Category_0; }
inline void set_m_Category_0(String_t* value)
{
___m_Category_0 = value;
Il2CppCodeGenWriteBarrier((&___m_Category_0), value);
}
inline static int32_t get_offset_of_m_ValueLow_1() { return static_cast<int32_t>(offsetof(GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___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_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___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_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___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_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___m_FormattedValue_4)); }
inline String_t* get_m_FormattedValue_4() const { return ___m_FormattedValue_4; }
inline String_t** get_address_of_m_FormattedValue_4() { return &___m_FormattedValue_4; }
inline void set_m_FormattedValue_4(String_t* value)
{
___m_FormattedValue_4 = value;
Il2CppCodeGenWriteBarrier((&___m_FormattedValue_4), value);
}
inline static int32_t get_offset_of_m_PlayerID_5() { return static_cast<int32_t>(offsetof(GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___m_PlayerID_5)); }
inline String_t* get_m_PlayerID_5() const { return ___m_PlayerID_5; }
inline String_t** get_address_of_m_PlayerID_5() { return &___m_PlayerID_5; }
inline void set_m_PlayerID_5(String_t* value)
{
___m_PlayerID_5 = value;
Il2CppCodeGenWriteBarrier((&___m_PlayerID_5), value);
}
inline static int32_t get_offset_of_m_Rank_6() { return static_cast<int32_t>(offsetof(GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A, ___m_Rank_6)); }
inline int32_t get_m_Rank_6() const { return ___m_Rank_6; }
inline int32_t* get_address_of_m_Rank_6() { return &___m_Rank_6; }
inline void set_m_Rank_6(int32_t value)
{
___m_Rank_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcScoreData
struct GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_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_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_marshaled_com
{
Il2CppChar* ___m_Category_0;
uint32_t ___m_ValueLow_1;
int32_t ___m_ValueHigh_2;
int32_t ___m_Date_3;
Il2CppChar* ___m_FormattedValue_4;
Il2CppChar* ___m_PlayerID_5;
int32_t ___m_Rank_6;
};
#endif // GCSCOREDATA_T45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_H
#ifndef WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#define WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UnitySynchronizationContext_WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94
{
public:
// System.Threading.SendOrPostCallback UnityEngine.UnitySynchronizationContext_WorkRequest::m_DelagateCallback
SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * ___m_DelagateCallback_0;
// System.Object UnityEngine.UnitySynchronizationContext_WorkRequest::m_DelagateState
RuntimeObject * ___m_DelagateState_1;
// System.Threading.ManualResetEvent UnityEngine.UnitySynchronizationContext_WorkRequest::m_WaitHandle
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
public:
inline static int32_t get_offset_of_m_DelagateCallback_0() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_DelagateCallback_0)); }
inline SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * get_m_DelagateCallback_0() const { return ___m_DelagateCallback_0; }
inline SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 ** get_address_of_m_DelagateCallback_0() { return &___m_DelagateCallback_0; }
inline void set_m_DelagateCallback_0(SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01 * value)
{
___m_DelagateCallback_0 = value;
Il2CppCodeGenWriteBarrier((&___m_DelagateCallback_0), value);
}
inline static int32_t get_offset_of_m_DelagateState_1() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_DelagateState_1)); }
inline RuntimeObject * get_m_DelagateState_1() const { return ___m_DelagateState_1; }
inline RuntimeObject ** get_address_of_m_DelagateState_1() { return &___m_DelagateState_1; }
inline void set_m_DelagateState_1(RuntimeObject * value)
{
___m_DelagateState_1 = value;
Il2CppCodeGenWriteBarrier((&___m_DelagateState_1), value);
}
inline static int32_t get_offset_of_m_WaitHandle_2() { return static_cast<int32_t>(offsetof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94, ___m_WaitHandle_2)); }
inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * get_m_WaitHandle_2() const { return ___m_WaitHandle_2; }
inline ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 ** get_address_of_m_WaitHandle_2() { return &___m_WaitHandle_2; }
inline void set_m_WaitHandle_2(ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * value)
{
___m_WaitHandle_2 = value;
Il2CppCodeGenWriteBarrier((&___m_WaitHandle_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_pinvoke
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
};
// Native definition for COM marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_marshaled_com
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408 * ___m_WaitHandle_2;
};
#endif // WORKREQUEST_T0247B62D135204EAA95FC0B2EC829CB27B433F94_H
#ifndef ASYNCOPERATIONSTATUS_T355A724E020AF86BA40298A468EB739EA41B9E27_H
#define ASYNCOPERATIONSTATUS_T355A724E020AF86BA40298A468EB739EA41B9E27_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.AsyncOperationStatus
struct AsyncOperationStatus_t355A724E020AF86BA40298A468EB739EA41B9E27
{
public:
// System.Int32 Mono.Net.Security.AsyncOperationStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AsyncOperationStatus_t355A724E020AF86BA40298A468EB739EA41B9E27, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCOPERATIONSTATUS_T355A724E020AF86BA40298A468EB739EA41B9E27_H
#ifndef OPERATIONTYPE_T76DD3B06699CAF7714C8E801F9B1FBD9FCAF9ED0_H
#define OPERATIONTYPE_T76DD3B06699CAF7714C8E801F9B1FBD9FCAF9ED0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.MobileAuthenticatedStream_OperationType
struct OperationType_t76DD3B06699CAF7714C8E801F9B1FBD9FCAF9ED0
{
public:
// System.Int32 Mono.Net.Security.MobileAuthenticatedStream_OperationType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OperationType_t76DD3B06699CAF7714C8E801F9B1FBD9FCAF9ED0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // OPERATIONTYPE_T76DD3B06699CAF7714C8E801F9B1FBD9FCAF9ED0_H
#ifndef ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#define ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ArgumentException
struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782
{
public:
// System.String System.ArgumentException::m_paramName
String_t* ___m_paramName_17;
public:
inline static int32_t get_offset_of_m_paramName_17() { return static_cast<int32_t>(offsetof(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1, ___m_paramName_17)); }
inline String_t* get_m_paramName_17() const { return ___m_paramName_17; }
inline String_t** get_address_of_m_paramName_17() { return &___m_paramName_17; }
inline void set_m_paramName_17(String_t* value)
{
___m_paramName_17 = value;
Il2CppCodeGenWriteBarrier((&___m_paramName_17), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTEXCEPTION_TEDCD16F20A09ECE461C3DA766C16EDA8864057D1_H
#ifndef ENTRY_TF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_H
#define ENTRY_TF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Resources.ResourceLocator>
struct Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D
{
public:
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::hashCode
int32_t ___hashCode_0;
// System.Int32 System.Collections.Generic.Dictionary`2_Entry::next
int32_t ___next_1;
// TKey System.Collections.Generic.Dictionary`2_Entry::key
RuntimeObject * ___key_2;
// TValue System.Collections.Generic.Dictionary`2_Entry::value
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value_3;
public:
inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D, ___hashCode_0)); }
inline int32_t get_hashCode_0() const { return ___hashCode_0; }
inline int32_t* get_address_of_hashCode_0() { return &___hashCode_0; }
inline void set_hashCode_0(int32_t value)
{
___hashCode_0 = value;
}
inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D, ___next_1)); }
inline int32_t get_next_1() const { return ___next_1; }
inline int32_t* get_address_of_next_1() { return &___next_1; }
inline void set_next_1(int32_t value)
{
___next_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D, ___key_2)); }
inline RuntimeObject * get_key_2() const { return ___key_2; }
inline RuntimeObject ** get_address_of_key_2() { return &___key_2; }
inline void set_key_2(RuntimeObject * value)
{
___key_2 = value;
Il2CppCodeGenWriteBarrier((&___key_2), value);
}
inline static int32_t get_offset_of_value_3() { return static_cast<int32_t>(offsetof(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D, ___value_3)); }
inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C get_value_3() const { return ___value_3; }
inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C * get_address_of_value_3() { return &___value_3; }
inline void set_value_3(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C value)
{
___value_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENTRY_TF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_H
#ifndef KEYVALUEPAIR_2_T5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_H
#define KEYVALUEPAIR_2_T5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>
struct KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___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_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B, ___key_0)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_key_0() const { return ___key_0; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_key_0() { return &___key_0; }
inline void set_key_0(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___key_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B, ___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((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYVALUEPAIR_2_T5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_H
#ifndef KEYVALUEPAIR_2_T2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_H
#define KEYVALUEPAIR_2_T2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>
struct KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
RuntimeObject * ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6, ___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((&___key_0), value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6, ___value_1)); }
inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C get_value_1() const { return ___value_1; }
inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C * get_address_of_value_1() { return &___value_1; }
inline void set_value_1(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C value)
{
___value_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // KEYVALUEPAIR_2_T2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_H
#ifndef DELEGATE_T_H
#define DELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Delegate
struct Delegate_t : public RuntimeObject
{
public:
// System.IntPtr System.Delegate::method_ptr
Il2CppMethodPointer ___method_ptr_0;
// System.IntPtr System.Delegate::invoke_impl
intptr_t ___invoke_impl_1;
// System.Object System.Delegate::m_target
RuntimeObject * ___m_target_2;
// System.IntPtr System.Delegate::method
intptr_t ___method_3;
// System.IntPtr System.Delegate::delegate_trampoline
intptr_t ___delegate_trampoline_4;
// System.IntPtr System.Delegate::extra_arg
intptr_t ___extra_arg_5;
// System.IntPtr System.Delegate::method_code
intptr_t ___method_code_6;
// System.Reflection.MethodInfo System.Delegate::method_info
MethodInfo_t * ___method_info_7;
// System.Reflection.MethodInfo System.Delegate::original_method_info
MethodInfo_t * ___original_method_info_8;
// System.DelegateData System.Delegate::data
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
// System.Boolean System.Delegate::method_is_virtual
bool ___method_is_virtual_10;
public:
inline static int32_t get_offset_of_method_ptr_0() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_ptr_0)); }
inline Il2CppMethodPointer get_method_ptr_0() const { return ___method_ptr_0; }
inline Il2CppMethodPointer* get_address_of_method_ptr_0() { return &___method_ptr_0; }
inline void set_method_ptr_0(Il2CppMethodPointer value)
{
___method_ptr_0 = value;
}
inline static int32_t get_offset_of_invoke_impl_1() { return static_cast<int32_t>(offsetof(Delegate_t, ___invoke_impl_1)); }
inline intptr_t get_invoke_impl_1() const { return ___invoke_impl_1; }
inline intptr_t* get_address_of_invoke_impl_1() { return &___invoke_impl_1; }
inline void set_invoke_impl_1(intptr_t value)
{
___invoke_impl_1 = value;
}
inline static int32_t get_offset_of_m_target_2() { return static_cast<int32_t>(offsetof(Delegate_t, ___m_target_2)); }
inline RuntimeObject * get_m_target_2() const { return ___m_target_2; }
inline RuntimeObject ** get_address_of_m_target_2() { return &___m_target_2; }
inline void set_m_target_2(RuntimeObject * value)
{
___m_target_2 = value;
Il2CppCodeGenWriteBarrier((&___m_target_2), value);
}
inline static int32_t get_offset_of_method_3() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_3)); }
inline intptr_t get_method_3() const { return ___method_3; }
inline intptr_t* get_address_of_method_3() { return &___method_3; }
inline void set_method_3(intptr_t value)
{
___method_3 = value;
}
inline static int32_t get_offset_of_delegate_trampoline_4() { return static_cast<int32_t>(offsetof(Delegate_t, ___delegate_trampoline_4)); }
inline intptr_t get_delegate_trampoline_4() const { return ___delegate_trampoline_4; }
inline intptr_t* get_address_of_delegate_trampoline_4() { return &___delegate_trampoline_4; }
inline void set_delegate_trampoline_4(intptr_t value)
{
___delegate_trampoline_4 = value;
}
inline static int32_t get_offset_of_extra_arg_5() { return static_cast<int32_t>(offsetof(Delegate_t, ___extra_arg_5)); }
inline intptr_t get_extra_arg_5() const { return ___extra_arg_5; }
inline intptr_t* get_address_of_extra_arg_5() { return &___extra_arg_5; }
inline void set_extra_arg_5(intptr_t value)
{
___extra_arg_5 = value;
}
inline static int32_t get_offset_of_method_code_6() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_code_6)); }
inline intptr_t get_method_code_6() const { return ___method_code_6; }
inline intptr_t* get_address_of_method_code_6() { return &___method_code_6; }
inline void set_method_code_6(intptr_t value)
{
___method_code_6 = value;
}
inline static int32_t get_offset_of_method_info_7() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_info_7)); }
inline MethodInfo_t * get_method_info_7() const { return ___method_info_7; }
inline MethodInfo_t ** get_address_of_method_info_7() { return &___method_info_7; }
inline void set_method_info_7(MethodInfo_t * value)
{
___method_info_7 = value;
Il2CppCodeGenWriteBarrier((&___method_info_7), value);
}
inline static int32_t get_offset_of_original_method_info_8() { return static_cast<int32_t>(offsetof(Delegate_t, ___original_method_info_8)); }
inline MethodInfo_t * get_original_method_info_8() const { return ___original_method_info_8; }
inline MethodInfo_t ** get_address_of_original_method_info_8() { return &___original_method_info_8; }
inline void set_original_method_info_8(MethodInfo_t * value)
{
___original_method_info_8 = value;
Il2CppCodeGenWriteBarrier((&___original_method_info_8), value);
}
inline static int32_t get_offset_of_data_9() { return static_cast<int32_t>(offsetof(Delegate_t, ___data_9)); }
inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * get_data_9() const { return ___data_9; }
inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE ** get_address_of_data_9() { return &___data_9; }
inline void set_data_9(DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * value)
{
___data_9 = value;
Il2CppCodeGenWriteBarrier((&___data_9), value);
}
inline static int32_t get_offset_of_method_is_virtual_10() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_is_virtual_10)); }
inline bool get_method_is_virtual_10() const { return ___method_is_virtual_10; }
inline bool* get_address_of_method_is_virtual_10() { return &___method_is_virtual_10; }
inline void set_method_is_virtual_10(bool value)
{
___method_is_virtual_10 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Delegate
struct Delegate_t_marshaled_pinvoke
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
int32_t ___method_is_virtual_10;
};
// Native definition for COM marshalling of System.Delegate
struct Delegate_t_marshaled_com
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
int32_t ___method_is_virtual_10;
};
#endif // DELEGATE_T_H
#ifndef EXCEPTIONARGUMENT_TE4C1E083DC891ECF9688A8A0C62D7F7841057B14_H
#define EXCEPTIONARGUMENT_TE4C1E083DC891ECF9688A8A0C62D7F7841057B14_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ExceptionArgument
struct ExceptionArgument_tE4C1E083DC891ECF9688A8A0C62D7F7841057B14
{
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_tE4C1E083DC891ECF9688A8A0C62D7F7841057B14, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EXCEPTIONARGUMENT_TE4C1E083DC891ECF9688A8A0C62D7F7841057B14_H
#ifndef INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#define INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Int32Enum
struct Int32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD
{
public:
// System.Int32 System.Int32Enum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Int32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INT32ENUM_T6312CE4586C17FE2E2E513D2E7655B574F10FDCD_H
#ifndef INVALIDOPERATIONEXCEPTION_T0530E734D823F78310CAFAFA424CA5164D93A1F1_H
#define INVALIDOPERATIONEXCEPTION_T0530E734D823F78310CAFAFA424CA5164D93A1F1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.InvalidOperationException
struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INVALIDOPERATIONEXCEPTION_T0530E734D823F78310CAFAFA424CA5164D93A1F1_H
#ifndef ASSEMBLY_T_H
#define ASSEMBLY_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.Assembly
struct Assembly_t : public RuntimeObject
{
public:
// System.IntPtr System.Reflection.Assembly::_mono_assembly
intptr_t ____mono_assembly_0;
// System.Reflection.Assembly_ResolveEventHolder System.Reflection.Assembly::resolve_event_holder
ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1;
// System.Object System.Reflection.Assembly::_evidence
RuntimeObject * ____evidence_2;
// System.Object System.Reflection.Assembly::_minimum
RuntimeObject * ____minimum_3;
// System.Object System.Reflection.Assembly::_optional
RuntimeObject * ____optional_4;
// System.Object System.Reflection.Assembly::_refuse
RuntimeObject * ____refuse_5;
// System.Object System.Reflection.Assembly::_granted
RuntimeObject * ____granted_6;
// System.Object System.Reflection.Assembly::_denied
RuntimeObject * ____denied_7;
// System.Boolean System.Reflection.Assembly::fromByteArray
bool ___fromByteArray_8;
// System.String System.Reflection.Assembly::assemblyName
String_t* ___assemblyName_9;
public:
inline static int32_t get_offset_of__mono_assembly_0() { return static_cast<int32_t>(offsetof(Assembly_t, ____mono_assembly_0)); }
inline intptr_t get__mono_assembly_0() const { return ____mono_assembly_0; }
inline intptr_t* get_address_of__mono_assembly_0() { return &____mono_assembly_0; }
inline void set__mono_assembly_0(intptr_t value)
{
____mono_assembly_0 = value;
}
inline static int32_t get_offset_of_resolve_event_holder_1() { return static_cast<int32_t>(offsetof(Assembly_t, ___resolve_event_holder_1)); }
inline ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * get_resolve_event_holder_1() const { return ___resolve_event_holder_1; }
inline ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E ** get_address_of_resolve_event_holder_1() { return &___resolve_event_holder_1; }
inline void set_resolve_event_holder_1(ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * value)
{
___resolve_event_holder_1 = value;
Il2CppCodeGenWriteBarrier((&___resolve_event_holder_1), 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((&____evidence_2), 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((&____minimum_3), 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((&____optional_4), 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((&____refuse_5), 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((&____granted_6), 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((&____denied_7), 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((&___assemblyName_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.Assembly
struct Assembly_t_marshaled_pinvoke
{
intptr_t ____mono_assembly_0;
ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1;
Il2CppIUnknown* ____evidence_2;
Il2CppIUnknown* ____minimum_3;
Il2CppIUnknown* ____optional_4;
Il2CppIUnknown* ____refuse_5;
Il2CppIUnknown* ____granted_6;
Il2CppIUnknown* ____denied_7;
int32_t ___fromByteArray_8;
char* ___assemblyName_9;
};
// Native definition for COM marshalling of System.Reflection.Assembly
struct Assembly_t_marshaled_com
{
intptr_t ____mono_assembly_0;
ResolveEventHolder_t5267893EB7CB9C12F7B9B463FD4C221BEA03326E * ___resolve_event_holder_1;
Il2CppIUnknown* ____evidence_2;
Il2CppIUnknown* ____minimum_3;
Il2CppIUnknown* ____optional_4;
Il2CppIUnknown* ____refuse_5;
Il2CppIUnknown* ____granted_6;
Il2CppIUnknown* ____denied_7;
int32_t ___fromByteArray_8;
Il2CppChar* ___assemblyName_9;
};
#endif // ASSEMBLY_T_H
#ifndef BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#define BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.BindingFlags
struct BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0
{
public:
// System.Int32 System.Reflection.BindingFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BINDINGFLAGS_TE35C91D046E63A1B92BB9AB909FCF9DA84379ED0_H
#ifndef CUSTOMATTRIBUTENAMEDARGUMENT_T08BA731A94FD7F173551DF3098384CB9B3056E9E_H
#define CUSTOMATTRIBUTENAMEDARGUMENT_T08BA731A94FD7F173551DF3098384CB9B3056E9E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E
{
public:
// System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeNamedArgument::typedArgument
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 ___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_t08BA731A94FD7F173551DF3098384CB9B3056E9E, ___typedArgument_0)); }
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 get_typedArgument_0() const { return ___typedArgument_0; }
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 * get_address_of_typedArgument_0() { return &___typedArgument_0; }
inline void set_typedArgument_0(CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 value)
{
___typedArgument_0 = value;
}
inline static int32_t get_offset_of_memberInfo_1() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E, ___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((&___memberInfo_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_marshaled_pinvoke
{
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_marshaled_pinvoke ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_marshaled_com
{
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_marshaled_com ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
#endif // CUSTOMATTRIBUTENAMEDARGUMENT_T08BA731A94FD7F173551DF3098384CB9B3056E9E_H
#ifndef ASYNCTASKMETHODBUILDER_1_TE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2_H
#define ASYNCTASKMETHODBUILDER_1_TE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<Mono.Net.Security.AsyncProtocolResult>
struct AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2, ___m_task_2)); }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * get_m_task_2() const { return ___m_task_2; }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_t6D67FA6126155FF2C2E227A859409D83DFAFA9BD * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_TE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2_H
#ifndef ASYNCTASKMETHODBUILDER_1_T37B8301A93B487253B9622D00C44195BE042E4BE_H
#define ASYNCTASKMETHODBUILDER_1_T37B8301A93B487253B9622D00C44195BE042E4BE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>
struct AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE, ___m_task_2)); }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * get_m_task_2() const { return ___m_task_2; }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_T37B8301A93B487253B9622D00C44195BE042E4BE_H
#ifndef ASYNCTASKMETHODBUILDER_1_T822D24686214CB8B967C66DA507CD66A5C853079_H
#define ASYNCTASKMETHODBUILDER_1_T822D24686214CB8B967C66DA507CD66A5C853079_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>
struct AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079, ___m_task_2)); }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * get_m_task_2() const { return ___m_task_2; }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_T822D24686214CB8B967C66DA507CD66A5C853079_H
#ifndef ASYNCTASKMETHODBUILDER_1_TADDA4A1D7E8E45B9C6AC65AF43C5868605F74865_H
#define ASYNCTASKMETHODBUILDER_1_TADDA4A1D7E8E45B9C6AC65AF43C5868605F74865_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>
struct AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_t8906695C9865566AA79419735634FF27AC74506E * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865, ___m_task_2)); }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E * get_m_task_2() const { return ___m_task_2; }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_t8906695C9865566AA79419735634FF27AC74506E * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_t8906695C9865566AA79419735634FF27AC74506E * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_t8906695C9865566AA79419735634FF27AC74506E * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_TADDA4A1D7E8E45B9C6AC65AF43C5868605F74865_H
#ifndef ASYNCTASKMETHODBUILDER_1_T2A9513A084F4B19851B91EF1F22BB57776D35663_H
#define ASYNCTASKMETHODBUILDER_1_T2A9513A084F4B19851B91EF1F22BB57776D35663_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>
struct AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663, ___m_task_2)); }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * get_m_task_2() const { return ___m_task_2; }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_T2A9513A084F4B19851B91EF1F22BB57776D35663_H
#ifndef ASYNCTASKMETHODBUILDER_1_T66ED1808B26B8081A2804D6A750D13386E360BD9_H
#define ASYNCTASKMETHODBUILDER_1_T66ED1808B26B8081A2804D6A750D13386E360BD9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>
struct AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 value)
{
___m_coreState_1 = value;
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9, ___m_task_2)); }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * get_m_task_2() const { return ___m_task_2; }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((&___m_task_2), value);
}
};
struct AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((&___s_defaultResultTask_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCTASKMETHODBUILDER_1_T66ED1808B26B8081A2804D6A750D13386E360BD9_H
#ifndef RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#define RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.RuntimeTypeHandle
struct RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D
{
public:
// System.IntPtr System.RuntimeTypeHandle::value
intptr_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D, ___value_0)); }
inline intptr_t get_value_0() const { return ___value_0; }
inline intptr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(intptr_t value)
{
___value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMETYPEHANDLE_T7B542280A22F0EC4EAC2061C29178845847A8B2D_H
#ifndef X509CHAINSTATUSFLAGS_T208E1E90A6014521B09653B6B237D045A8573E5B_H
#define X509CHAINSTATUSFLAGS_T208E1E90A6014521B09653B6B237D045A8573E5B_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Security.Cryptography.X509Certificates.X509ChainStatusFlags
struct X509ChainStatusFlags_t208E1E90A6014521B09653B6B237D045A8573E5B
{
public:
// System.Int32 System.Security.Cryptography.X509Certificates.X509ChainStatusFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(X509ChainStatusFlags_t208E1E90A6014521B09653B6B237D045A8573E5B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // X509CHAINSTATUSFLAGS_T208E1E90A6014521B09653B6B237D045A8573E5B_H
#ifndef CANCELLATIONTOKENREGISTRATION_TCDB9825D1854DD0D7FF737C82B099FC468107BB2_H
#define CANCELLATIONTOKENREGISTRATION_TCDB9825D1854DD0D7FF737C82B099FC468107BB2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2
{
public:
// System.Threading.CancellationCallbackInfo System.Threading.CancellationTokenRegistration::m_callbackInfo
CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 * ___m_callbackInfo_0;
// System.Threading.SparselyPopulatedArrayAddInfo`1<System.Threading.CancellationCallbackInfo> System.Threading.CancellationTokenRegistration::m_registrationInfo
SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE ___m_registrationInfo_1;
public:
inline static int32_t get_offset_of_m_callbackInfo_0() { return static_cast<int32_t>(offsetof(CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2, ___m_callbackInfo_0)); }
inline CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 * get_m_callbackInfo_0() const { return ___m_callbackInfo_0; }
inline CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 ** get_address_of_m_callbackInfo_0() { return &___m_callbackInfo_0; }
inline void set_m_callbackInfo_0(CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 * value)
{
___m_callbackInfo_0 = value;
Il2CppCodeGenWriteBarrier((&___m_callbackInfo_0), value);
}
inline static int32_t get_offset_of_m_registrationInfo_1() { return static_cast<int32_t>(offsetof(CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2, ___m_registrationInfo_1)); }
inline SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE get_m_registrationInfo_1() const { return ___m_registrationInfo_1; }
inline SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE * get_address_of_m_registrationInfo_1() { return &___m_registrationInfo_1; }
inline void set_m_registrationInfo_1(SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE value)
{
___m_registrationInfo_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_marshaled_pinvoke
{
CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 * ___m_callbackInfo_0;
SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE ___m_registrationInfo_1;
};
// Native definition for COM marshalling of System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_marshaled_com
{
CancellationCallbackInfo_t8CDEA0AA9C9D1A2321FE2F88878F4B5E0901CF36 * ___m_callbackInfo_0;
SparselyPopulatedArrayAddInfo_1_t0A76BDD84EBF76BEF894419FC221D25BB3D4FBEE ___m_registrationInfo_1;
};
#endif // CANCELLATIONTOKENREGISTRATION_TCDB9825D1854DD0D7FF737C82B099FC468107BB2_H
#ifndef EXECUTIONCONTEXTSWITCHER_T739C861A327D724A4E59DE865463B32097395159_H
#define EXECUTIONCONTEXTSWITCHER_T739C861A327D724A4E59DE865463B32097395159_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159
{
public:
// System.Threading.ExecutionContext_Reader System.Threading.ExecutionContextSwitcher::outerEC
Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B ___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_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * ___thread_3;
public:
inline static int32_t get_offset_of_outerEC_0() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159, ___outerEC_0)); }
inline Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B get_outerEC_0() const { return ___outerEC_0; }
inline Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B * get_address_of_outerEC_0() { return &___outerEC_0; }
inline void set_outerEC_0(Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B value)
{
___outerEC_0 = value;
}
inline static int32_t get_offset_of_outerECBelongsToScope_1() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159, ___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_t739C861A327D724A4E59DE865463B32097395159, ___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((&___hecsw_2), value);
}
inline static int32_t get_offset_of_thread_3() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159, ___thread_3)); }
inline Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * get_thread_3() const { return ___thread_3; }
inline Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 ** get_address_of_thread_3() { return &___thread_3; }
inline void set_thread_3(Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * value)
{
___thread_3 = value;
Il2CppCodeGenWriteBarrier((&___thread_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159_marshaled_pinvoke
{
Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B_marshaled_pinvoke ___outerEC_0;
int32_t ___outerECBelongsToScope_1;
Il2CppIUnknown* ___hecsw_2;
Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * ___thread_3;
};
// Native definition for COM marshalling of System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159_marshaled_com
{
Reader_t5766DE258B6B590281150D8DB517B651F9F4F33B_marshaled_com ___outerEC_0;
int32_t ___outerECBelongsToScope_1;
Il2CppIUnknown* ___hecsw_2;
Thread_tF60E0A146CD3B5480CB65FF9B6016E84C5460CC7 * ___thread_3;
};
#endif // EXECUTIONCONTEXTSWITCHER_T739C861A327D724A4E59DE865463B32097395159_H
#ifndef TASK_T1F48C203E163126EBC69ACCA679D1A462DEE9EB2_H
#define TASK_T1F48C203E163126EBC69ACCA679D1A462DEE9EB2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task
struct Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 : 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_t966F2798F198FA90A0DA8EFC92BAC08297793114 * ___m_taskScheduler_7;
// System.Threading.Tasks.Task System.Threading.Tasks.Task::m_parent
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___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_t7149A27D01507C74E8BDAAA3848B45D2644FDF08 * ___m_contingentProperties_15;
public:
inline static int32_t get_offset_of_m_taskId_4() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___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_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___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((&___m_action_5), value);
}
inline static int32_t get_offset_of_m_stateObject_6() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___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((&___m_stateObject_6), value);
}
inline static int32_t get_offset_of_m_taskScheduler_7() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___m_taskScheduler_7)); }
inline TaskScheduler_t966F2798F198FA90A0DA8EFC92BAC08297793114 * get_m_taskScheduler_7() const { return ___m_taskScheduler_7; }
inline TaskScheduler_t966F2798F198FA90A0DA8EFC92BAC08297793114 ** get_address_of_m_taskScheduler_7() { return &___m_taskScheduler_7; }
inline void set_m_taskScheduler_7(TaskScheduler_t966F2798F198FA90A0DA8EFC92BAC08297793114 * value)
{
___m_taskScheduler_7 = value;
Il2CppCodeGenWriteBarrier((&___m_taskScheduler_7), value);
}
inline static int32_t get_offset_of_m_parent_8() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___m_parent_8)); }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get_m_parent_8() const { return ___m_parent_8; }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of_m_parent_8() { return &___m_parent_8; }
inline void set_m_parent_8(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value)
{
___m_parent_8 = value;
Il2CppCodeGenWriteBarrier((&___m_parent_8), value);
}
inline static int32_t get_offset_of_m_stateFlags_9() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___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_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___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((&___m_continuationObject_10), value);
}
inline static int32_t get_offset_of_m_contingentProperties_15() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2, ___m_contingentProperties_15)); }
inline ContingentProperties_t7149A27D01507C74E8BDAAA3848B45D2644FDF08 * get_m_contingentProperties_15() const { return ___m_contingentProperties_15; }
inline ContingentProperties_t7149A27D01507C74E8BDAAA3848B45D2644FDF08 ** get_address_of_m_contingentProperties_15() { return &___m_contingentProperties_15; }
inline void set_m_contingentProperties_15(ContingentProperties_t7149A27D01507C74E8BDAAA3848B45D2644FDF08 * value)
{
___m_contingentProperties_15 = value;
Il2CppCodeGenWriteBarrier((&___m_contingentProperties_15), value);
}
};
struct Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_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_tF3C6D983390ACFB40B4979E225368F78006D6155 * ___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_t70161CFEB8DA3C79E19E31D0ED948D3C2925095F * ___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_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * ___s_taskCancelCallback_16;
// System.Func`1<System.Threading.Tasks.Task_ContingentProperties> System.Threading.Tasks.Task::s_createContingentProperties
Func_1_t48C2978A48CE3F2F6EB5B6DE269D00746483BB1F * ___s_createContingentProperties_17;
// System.Threading.Tasks.Task System.Threading.Tasks.Task::s_completedTask
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___s_completedTask_18;
// System.Predicate`1<System.Threading.Tasks.Task> System.Threading.Tasks.Task::s_IsExceptionObservedByParentPredicate
Predicate_1_tF4286C34BB184CE5690FDCEBA7F09FC68D229335 * ___s_IsExceptionObservedByParentPredicate_19;
// System.Threading.ContextCallback System.Threading.Tasks.Task::s_ecCallback
ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * ___s_ecCallback_20;
// System.Predicate`1<System.Object> System.Threading.Tasks.Task::s_IsTaskContinuationNullPredicate
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * ___s_IsTaskContinuationNullPredicate_21;
public:
inline static int32_t get_offset_of_s_taskIdCounter_2() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_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_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_factory_3)); }
inline TaskFactory_tF3C6D983390ACFB40B4979E225368F78006D6155 * get_s_factory_3() const { return ___s_factory_3; }
inline TaskFactory_tF3C6D983390ACFB40B4979E225368F78006D6155 ** get_address_of_s_factory_3() { return &___s_factory_3; }
inline void set_s_factory_3(TaskFactory_tF3C6D983390ACFB40B4979E225368F78006D6155 * value)
{
___s_factory_3 = value;
Il2CppCodeGenWriteBarrier((&___s_factory_3), value);
}
inline static int32_t get_offset_of_s_taskCompletionSentinel_11() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_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((&___s_taskCompletionSentinel_11), value);
}
inline static int32_t get_offset_of_s_asyncDebuggingEnabled_12() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_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_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_currentActiveTasks_13)); }
inline Dictionary_2_t70161CFEB8DA3C79E19E31D0ED948D3C2925095F * get_s_currentActiveTasks_13() const { return ___s_currentActiveTasks_13; }
inline Dictionary_2_t70161CFEB8DA3C79E19E31D0ED948D3C2925095F ** get_address_of_s_currentActiveTasks_13() { return &___s_currentActiveTasks_13; }
inline void set_s_currentActiveTasks_13(Dictionary_2_t70161CFEB8DA3C79E19E31D0ED948D3C2925095F * value)
{
___s_currentActiveTasks_13 = value;
Il2CppCodeGenWriteBarrier((&___s_currentActiveTasks_13), value);
}
inline static int32_t get_offset_of_s_activeTasksLock_14() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_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((&___s_activeTasksLock_14), value);
}
inline static int32_t get_offset_of_s_taskCancelCallback_16() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_taskCancelCallback_16)); }
inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * get_s_taskCancelCallback_16() const { return ___s_taskCancelCallback_16; }
inline Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 ** get_address_of_s_taskCancelCallback_16() { return &___s_taskCancelCallback_16; }
inline void set_s_taskCancelCallback_16(Action_1_t551A279CEADCF6EEAE8FA2B1E1E757D0D15290D0 * value)
{
___s_taskCancelCallback_16 = value;
Il2CppCodeGenWriteBarrier((&___s_taskCancelCallback_16), value);
}
inline static int32_t get_offset_of_s_createContingentProperties_17() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_createContingentProperties_17)); }
inline Func_1_t48C2978A48CE3F2F6EB5B6DE269D00746483BB1F * get_s_createContingentProperties_17() const { return ___s_createContingentProperties_17; }
inline Func_1_t48C2978A48CE3F2F6EB5B6DE269D00746483BB1F ** get_address_of_s_createContingentProperties_17() { return &___s_createContingentProperties_17; }
inline void set_s_createContingentProperties_17(Func_1_t48C2978A48CE3F2F6EB5B6DE269D00746483BB1F * value)
{
___s_createContingentProperties_17 = value;
Il2CppCodeGenWriteBarrier((&___s_createContingentProperties_17), value);
}
inline static int32_t get_offset_of_s_completedTask_18() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_completedTask_18)); }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get_s_completedTask_18() const { return ___s_completedTask_18; }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of_s_completedTask_18() { return &___s_completedTask_18; }
inline void set_s_completedTask_18(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value)
{
___s_completedTask_18 = value;
Il2CppCodeGenWriteBarrier((&___s_completedTask_18), value);
}
inline static int32_t get_offset_of_s_IsExceptionObservedByParentPredicate_19() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_IsExceptionObservedByParentPredicate_19)); }
inline Predicate_1_tF4286C34BB184CE5690FDCEBA7F09FC68D229335 * get_s_IsExceptionObservedByParentPredicate_19() const { return ___s_IsExceptionObservedByParentPredicate_19; }
inline Predicate_1_tF4286C34BB184CE5690FDCEBA7F09FC68D229335 ** get_address_of_s_IsExceptionObservedByParentPredicate_19() { return &___s_IsExceptionObservedByParentPredicate_19; }
inline void set_s_IsExceptionObservedByParentPredicate_19(Predicate_1_tF4286C34BB184CE5690FDCEBA7F09FC68D229335 * value)
{
___s_IsExceptionObservedByParentPredicate_19 = value;
Il2CppCodeGenWriteBarrier((&___s_IsExceptionObservedByParentPredicate_19), value);
}
inline static int32_t get_offset_of_s_ecCallback_20() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_ecCallback_20)); }
inline ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * get_s_ecCallback_20() const { return ___s_ecCallback_20; }
inline ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 ** get_address_of_s_ecCallback_20() { return &___s_ecCallback_20; }
inline void set_s_ecCallback_20(ContextCallback_t8AE8A965AC6C7ECD396F527F15CDC8E683BE1676 * value)
{
___s_ecCallback_20 = value;
Il2CppCodeGenWriteBarrier((&___s_ecCallback_20), value);
}
inline static int32_t get_offset_of_s_IsTaskContinuationNullPredicate_21() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_StaticFields, ___s_IsTaskContinuationNullPredicate_21)); }
inline Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * get_s_IsTaskContinuationNullPredicate_21() const { return ___s_IsTaskContinuationNullPredicate_21; }
inline Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 ** get_address_of_s_IsTaskContinuationNullPredicate_21() { return &___s_IsTaskContinuationNullPredicate_21; }
inline void set_s_IsTaskContinuationNullPredicate_21(Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * value)
{
___s_IsTaskContinuationNullPredicate_21 = value;
Il2CppCodeGenWriteBarrier((&___s_IsTaskContinuationNullPredicate_21), value);
}
};
struct Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_ThreadStaticFields
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.Task::t_currentTask
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___t_currentTask_0;
// System.Threading.Tasks.StackGuard System.Threading.Tasks.Task::t_stackGuard
StackGuard_tE431ED3BBD1A18705FEE6F948EBF7FA2E99D64A9 * ___t_stackGuard_1;
public:
inline static int32_t get_offset_of_t_currentTask_0() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_ThreadStaticFields, ___t_currentTask_0)); }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * get_t_currentTask_0() const { return ___t_currentTask_0; }
inline Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 ** get_address_of_t_currentTask_0() { return &___t_currentTask_0; }
inline void set_t_currentTask_0(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * value)
{
___t_currentTask_0 = value;
Il2CppCodeGenWriteBarrier((&___t_currentTask_0), value);
}
inline static int32_t get_offset_of_t_stackGuard_1() { return static_cast<int32_t>(offsetof(Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2_ThreadStaticFields, ___t_stackGuard_1)); }
inline StackGuard_tE431ED3BBD1A18705FEE6F948EBF7FA2E99D64A9 * get_t_stackGuard_1() const { return ___t_stackGuard_1; }
inline StackGuard_tE431ED3BBD1A18705FEE6F948EBF7FA2E99D64A9 ** get_address_of_t_stackGuard_1() { return &___t_stackGuard_1; }
inline void set_t_stackGuard_1(StackGuard_tE431ED3BBD1A18705FEE6F948EBF7FA2E99D64A9 * value)
{
___t_stackGuard_1 = value;
Il2CppCodeGenWriteBarrier((&___t_stackGuard_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_T1F48C203E163126EBC69ACCA679D1A462DEE9EB2_H
#ifndef TIMESPAN_TA8069278ACE8A74D6DF7D514A9CD4432433F64C4_H
#define TIMESPAN_TA8069278ACE8A74D6DF7D514A9CD4432433F64C4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.TimeSpan
struct TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4
{
public:
// System.Int64 System.TimeSpan::_ticks
int64_t ____ticks_3;
public:
inline static int32_t get_offset_of__ticks_3() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4, ____ticks_3)); }
inline int64_t get__ticks_3() const { return ____ticks_3; }
inline int64_t* get_address_of__ticks_3() { return &____ticks_3; }
inline void set__ticks_3(int64_t value)
{
____ticks_3 = value;
}
};
struct TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields
{
public:
// System.TimeSpan System.TimeSpan::Zero
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___Zero_0;
// System.TimeSpan System.TimeSpan::MaxValue
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___MaxValue_1;
// System.TimeSpan System.TimeSpan::MinValue
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 ___MinValue_2;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyConfigChecked
bool ____legacyConfigChecked_4;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyMode
bool ____legacyMode_5;
public:
inline static int32_t get_offset_of_Zero_0() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___Zero_0)); }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_Zero_0() const { return ___Zero_0; }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_Zero_0() { return &___Zero_0; }
inline void set_Zero_0(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value)
{
___Zero_0 = value;
}
inline static int32_t get_offset_of_MaxValue_1() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___MaxValue_1)); }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_MaxValue_1() const { return ___MaxValue_1; }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_MaxValue_1() { return &___MaxValue_1; }
inline void set_MaxValue_1(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value)
{
___MaxValue_1 = value;
}
inline static int32_t get_offset_of_MinValue_2() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ___MinValue_2)); }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 get_MinValue_2() const { return ___MinValue_2; }
inline TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 * get_address_of_MinValue_2() { return &___MinValue_2; }
inline void set_MinValue_2(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 value)
{
___MinValue_2 = value;
}
inline static int32_t get_offset_of__legacyConfigChecked_4() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ____legacyConfigChecked_4)); }
inline bool get__legacyConfigChecked_4() const { return ____legacyConfigChecked_4; }
inline bool* get_address_of__legacyConfigChecked_4() { return &____legacyConfigChecked_4; }
inline void set__legacyConfigChecked_4(bool value)
{
____legacyConfigChecked_4 = value;
}
inline static int32_t get_offset_of__legacyMode_5() { return static_cast<int32_t>(offsetof(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_StaticFields, ____legacyMode_5)); }
inline bool get__legacyMode_5() const { return ____legacyMode_5; }
inline bool* get_address_of__legacyMode_5() { return &____legacyMode_5; }
inline void set__legacyMode_5(bool value)
{
____legacyMode_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TIMESPAN_TA8069278ACE8A74D6DF7D514A9CD4432433F64C4_H
#ifndef CASTHELPER_1_T72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF_H
#define CASTHELPER_1_T72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.CastHelper`1<System.Object>
struct CastHelper_1_t72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF
{
public:
// T UnityEngine.CastHelper`1::t
RuntimeObject * ___t_0;
// System.IntPtr UnityEngine.CastHelper`1::onePointerFurtherThanT
intptr_t ___onePointerFurtherThanT_1;
public:
inline static int32_t get_offset_of_t_0() { return static_cast<int32_t>(offsetof(CastHelper_1_t72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF, ___t_0)); }
inline RuntimeObject * get_t_0() const { return ___t_0; }
inline RuntimeObject ** get_address_of_t_0() { return &___t_0; }
inline void set_t_0(RuntimeObject * value)
{
___t_0 = value;
Il2CppCodeGenWriteBarrier((&___t_0), value);
}
inline static int32_t get_offset_of_onePointerFurtherThanT_1() { return static_cast<int32_t>(offsetof(CastHelper_1_t72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF, ___onePointerFurtherThanT_1)); }
inline intptr_t get_onePointerFurtherThanT_1() const { return ___onePointerFurtherThanT_1; }
inline intptr_t* get_address_of_onePointerFurtherThanT_1() { return &___onePointerFurtherThanT_1; }
inline void set_onePointerFurtherThanT_1(intptr_t value)
{
___onePointerFurtherThanT_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CASTHELPER_1_T72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF_H
#ifndef PLAYERLOOPSYSTEM_T89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_H
#define PLAYERLOOPSYSTEM_T89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Experimental.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D
{
public:
// System.Type UnityEngine.Experimental.LowLevel.PlayerLoopSystem::type
Type_t * ___type_0;
// UnityEngine.Experimental.LowLevel.PlayerLoopSystem[] UnityEngine.Experimental.LowLevel.PlayerLoopSystem::subSystemList
PlayerLoopSystemU5BU5D_t97939DCF6160BDDB681EB4155D9D1BEB1CB659A2* ___subSystemList_1;
// UnityEngine.Experimental.LowLevel.PlayerLoopSystem_UpdateFunction UnityEngine.Experimental.LowLevel.PlayerLoopSystem::updateDelegate
UpdateFunction_tE0936D5A5B8C3367F0E6E464162E1FB1E9F304A8 * ___updateDelegate_2;
// System.IntPtr UnityEngine.Experimental.LowLevel.PlayerLoopSystem::updateFunction
intptr_t ___updateFunction_3;
// System.IntPtr UnityEngine.Experimental.LowLevel.PlayerLoopSystem::loopConditionFunction
intptr_t ___loopConditionFunction_4;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D, ___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((&___type_0), value);
}
inline static int32_t get_offset_of_subSystemList_1() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D, ___subSystemList_1)); }
inline PlayerLoopSystemU5BU5D_t97939DCF6160BDDB681EB4155D9D1BEB1CB659A2* get_subSystemList_1() const { return ___subSystemList_1; }
inline PlayerLoopSystemU5BU5D_t97939DCF6160BDDB681EB4155D9D1BEB1CB659A2** get_address_of_subSystemList_1() { return &___subSystemList_1; }
inline void set_subSystemList_1(PlayerLoopSystemU5BU5D_t97939DCF6160BDDB681EB4155D9D1BEB1CB659A2* value)
{
___subSystemList_1 = value;
Il2CppCodeGenWriteBarrier((&___subSystemList_1), value);
}
inline static int32_t get_offset_of_updateDelegate_2() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D, ___updateDelegate_2)); }
inline UpdateFunction_tE0936D5A5B8C3367F0E6E464162E1FB1E9F304A8 * get_updateDelegate_2() const { return ___updateDelegate_2; }
inline UpdateFunction_tE0936D5A5B8C3367F0E6E464162E1FB1E9F304A8 ** get_address_of_updateDelegate_2() { return &___updateDelegate_2; }
inline void set_updateDelegate_2(UpdateFunction_tE0936D5A5B8C3367F0E6E464162E1FB1E9F304A8 * value)
{
___updateDelegate_2 = value;
Il2CppCodeGenWriteBarrier((&___updateDelegate_2), value);
}
inline static int32_t get_offset_of_updateFunction_3() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D, ___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_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D, ___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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_pinvoke
{
Type_t * ___type_0;
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_pinvoke* ___subSystemList_1;
Il2CppMethodPointer ___updateDelegate_2;
intptr_t ___updateFunction_3;
intptr_t ___loopConditionFunction_4;
};
// Native definition for COM marshalling of UnityEngine.Experimental.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_com
{
Type_t * ___type_0;
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_marshaled_com* ___subSystemList_1;
Il2CppMethodPointer ___updateDelegate_2;
intptr_t ___updateFunction_3;
intptr_t ___loopConditionFunction_4;
};
#endif // PLAYERLOOPSYSTEM_T89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_H
#ifndef OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#define OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Object::m_CachedPtr
intptr_t ___m_CachedPtr_0;
public:
inline static int32_t get_offset_of_m_CachedPtr_0() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0, ___m_CachedPtr_0)); }
inline intptr_t get_m_CachedPtr_0() const { return ___m_CachedPtr_0; }
inline intptr_t* get_address_of_m_CachedPtr_0() { return &___m_CachedPtr_0; }
inline void set_m_CachedPtr_0(intptr_t value)
{
___m_CachedPtr_0 = value;
}
};
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields
{
public:
// System.Int32 UnityEngine.Object::OffsetOfInstanceIDInCPlusPlusObject
int32_t ___OffsetOfInstanceIDInCPlusPlusObject_1;
public:
inline static int32_t get_offset_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields, ___OffsetOfInstanceIDInCPlusPlusObject_1)); }
inline int32_t get_OffsetOfInstanceIDInCPlusPlusObject_1() const { return ___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline int32_t* get_address_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return &___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline void set_OffsetOfInstanceIDInCPlusPlusObject_1(int32_t value)
{
___OffsetOfInstanceIDInCPlusPlusObject_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
intptr_t ___m_CachedPtr_0;
};
// Native definition for COM marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
intptr_t ___m_CachedPtr_0;
};
#endif // OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifndef U3CINNERREADU3ED__25_TCE25EDB99323C3358577085230EE086DE0CADA5E_H
#define U3CINNERREADU3ED__25_TCE25EDB99323C3358577085230EE086DE0CADA5E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25
struct U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E
{
public:
// System.Int32 Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>> Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<>t__builder
AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 ___U3CU3Et__builder_1;
// Mono.Net.Security.AsyncProtocolRequest Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<>4__this
AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * ___U3CU3E4__this_2;
// System.Threading.CancellationToken Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_3;
// System.Int32 Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<requestedSize>5__1
int32_t ___U3CrequestedSizeU3E5__1_4;
// System.Nullable`1<System.Int32> Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<totalRead>5__2
Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB ___U3CtotalReadU3E5__2_5;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Int32> Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25::<>u__1
ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E ___U3CU3Eu__1_6;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___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(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___U3CU3E4__this_2)); }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_2), value);
}
inline static int32_t get_offset_of_cancellationToken_3() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___cancellationToken_3)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_3() const { return ___cancellationToken_3; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_3() { return &___cancellationToken_3; }
inline void set_cancellationToken_3(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_3 = value;
}
inline static int32_t get_offset_of_U3CrequestedSizeU3E5__1_4() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___U3CrequestedSizeU3E5__1_4)); }
inline int32_t get_U3CrequestedSizeU3E5__1_4() const { return ___U3CrequestedSizeU3E5__1_4; }
inline int32_t* get_address_of_U3CrequestedSizeU3E5__1_4() { return &___U3CrequestedSizeU3E5__1_4; }
inline void set_U3CrequestedSizeU3E5__1_4(int32_t value)
{
___U3CrequestedSizeU3E5__1_4 = value;
}
inline static int32_t get_offset_of_U3CtotalReadU3E5__2_5() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___U3CtotalReadU3E5__2_5)); }
inline Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB get_U3CtotalReadU3E5__2_5() const { return ___U3CtotalReadU3E5__2_5; }
inline Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB * get_address_of_U3CtotalReadU3E5__2_5() { return &___U3CtotalReadU3E5__2_5; }
inline void set_U3CtotalReadU3E5__2_5(Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB value)
{
___U3CtotalReadU3E5__2_5 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_6() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E, ___U3CU3Eu__1_6)); }
inline ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E get_U3CU3Eu__1_6() const { return ___U3CU3Eu__1_6; }
inline ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * get_address_of_U3CU3Eu__1_6() { return &___U3CU3Eu__1_6; }
inline void set_U3CU3Eu__1_6(ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E value)
{
___U3CU3Eu__1_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CINNERREADU3ED__25_TCE25EDB99323C3358577085230EE086DE0CADA5E_H
#ifndef U3CSTARTOPERATIONU3ED__23_TF07DD38BEEE955EB5B1359B816079584899DDEC9_H
#define U3CSTARTOPERATIONU3ED__23_TF07DD38BEEE955EB5B1359B816079584899DDEC9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23
struct U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9
{
public:
// System.Int32 Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<Mono.Net.Security.AsyncProtocolResult> Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23::<>t__builder
AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2 ___U3CU3Et__builder_1;
// Mono.Net.Security.AsyncProtocolRequest Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23::<>4__this
AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * ___U3CU3E4__this_2;
// System.Threading.CancellationToken Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_3;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23::<>u__1
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 ___U3CU3Eu__1_4;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9, ___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(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_tE6ADC5F95443C1197F4C34B1207F02A4E0F7EDB2 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9, ___U3CU3E4__this_2)); }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_2), value);
}
inline static int32_t get_offset_of_cancellationToken_3() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9, ___cancellationToken_3)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_3() const { return ___cancellationToken_3; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_3() { return &___cancellationToken_3; }
inline void set_cancellationToken_3(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_3 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_4() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9, ___U3CU3Eu__1_4)); }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 get_U3CU3Eu__1_4() const { return ___U3CU3Eu__1_4; }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * get_address_of_U3CU3Eu__1_4() { return &___U3CU3Eu__1_4; }
inline void set_U3CU3Eu__1_4(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 value)
{
___U3CU3Eu__1_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CSTARTOPERATIONU3ED__23_TF07DD38BEEE955EB5B1359B816079584899DDEC9_H
#ifndef U3CINNERREADU3ED__66_TA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_H
#define U3CINNERREADU3ED__66_TA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66
struct U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB
{
public:
// System.Int32 Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32> Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::<>t__builder
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 ___U3CU3Et__builder_1;
// Mono.Net.Security.MobileAuthenticatedStream Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::<>4__this
MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * ___U3CU3E4__this_2;
// System.Threading.CancellationToken Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_3;
// System.Int32 Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::requestedSize
int32_t ___requestedSize_4;
// System.Boolean Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::sync
bool ___sync_5;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Int32> Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66::<>u__1
ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E ___U3CU3Eu__1_6;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___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(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___U3CU3E4__this_2)); }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_2), value);
}
inline static int32_t get_offset_of_cancellationToken_3() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___cancellationToken_3)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_3() const { return ___cancellationToken_3; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_3() { return &___cancellationToken_3; }
inline void set_cancellationToken_3(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_3 = value;
}
inline static int32_t get_offset_of_requestedSize_4() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___requestedSize_4)); }
inline int32_t get_requestedSize_4() const { return ___requestedSize_4; }
inline int32_t* get_address_of_requestedSize_4() { return &___requestedSize_4; }
inline void set_requestedSize_4(int32_t value)
{
___requestedSize_4 = value;
}
inline static int32_t get_offset_of_sync_5() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___sync_5)); }
inline bool get_sync_5() const { return ___sync_5; }
inline bool* get_address_of_sync_5() { return &___sync_5; }
inline void set_sync_5(bool value)
{
___sync_5 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_6() { return static_cast<int32_t>(offsetof(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB, ___U3CU3Eu__1_6)); }
inline ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E get_U3CU3Eu__1_6() const { return ___U3CU3Eu__1_6; }
inline ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * get_address_of_U3CU3Eu__1_6() { return &___U3CU3Eu__1_6; }
inline void set_U3CU3Eu__1_6(ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E value)
{
___U3CU3Eu__1_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CINNERREADU3ED__66_TA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_H
#ifndef U3CSTARTOPERATIONU3ED__58_T9CFBEC306AEE875FF526F77EF660D0493F475BB1_H
#define U3CSTARTOPERATIONU3ED__58_T9CFBEC306AEE875FF526F77EF660D0493F475BB1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58
struct U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1
{
public:
// System.Int32 Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32> Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::<>t__builder
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 ___U3CU3Et__builder_1;
// Mono.Net.Security.MobileAuthenticatedStream Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::<>4__this
MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * ___U3CU3E4__this_2;
// Mono.Net.Security.MobileAuthenticatedStream_OperationType Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::type
int32_t ___type_3;
// Mono.Net.Security.AsyncProtocolRequest Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::asyncRequest
AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * ___asyncRequest_4;
// System.Threading.CancellationToken Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_5;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<Mono.Net.Security.AsyncProtocolResult> Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58::<>u__1
ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96 ___U3CU3Eu__1_6;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___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(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___U3CU3E4__this_2)); }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_2), value);
}
inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___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_asyncRequest_4() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___asyncRequest_4)); }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * get_asyncRequest_4() const { return ___asyncRequest_4; }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 ** get_address_of_asyncRequest_4() { return &___asyncRequest_4; }
inline void set_asyncRequest_4(AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * value)
{
___asyncRequest_4 = value;
Il2CppCodeGenWriteBarrier((&___asyncRequest_4), value);
}
inline static int32_t get_offset_of_cancellationToken_5() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___cancellationToken_5)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_5() const { return ___cancellationToken_5; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_5() { return &___cancellationToken_5; }
inline void set_cancellationToken_5(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_5 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_6() { return static_cast<int32_t>(offsetof(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1, ___U3CU3Eu__1_6)); }
inline ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96 get_U3CU3Eu__1_6() const { return ___U3CU3Eu__1_6; }
inline ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96 * get_address_of_U3CU3Eu__1_6() { return &___U3CU3Eu__1_6; }
inline void set_U3CU3Eu__1_6(ConfiguredTaskAwaiter_t688A02A53D1A4A883C7DDAFE0F07F17691C51E96 value)
{
___U3CU3Eu__1_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CSTARTOPERATIONU3ED__58_T9CFBEC306AEE875FF526F77EF660D0493F475BB1_H
#ifndef ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#define ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ArgumentNullException
struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTNULLEXCEPTION_T581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_H
#ifndef ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#define ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ArgumentOutOfRangeException
struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1
{
public:
// System.Object System.ArgumentOutOfRangeException::m_actualValue
RuntimeObject * ___m_actualValue_19;
public:
inline static int32_t get_offset_of_m_actualValue_19() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA, ___m_actualValue_19)); }
inline RuntimeObject * get_m_actualValue_19() const { return ___m_actualValue_19; }
inline RuntimeObject ** get_address_of_m_actualValue_19() { return &___m_actualValue_19; }
inline void set_m_actualValue_19(RuntimeObject * value)
{
___m_actualValue_19 = value;
Il2CppCodeGenWriteBarrier((&___m_actualValue_19), value);
}
};
struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields
{
public:
// System.String modreq(System.Runtime.CompilerServices.IsVolatile) System.ArgumentOutOfRangeException::_rangeMessage
String_t* ____rangeMessage_18;
public:
inline static int32_t get_offset_of__rangeMessage_18() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields, ____rangeMessage_18)); }
inline String_t* get__rangeMessage_18() const { return ____rangeMessage_18; }
inline String_t** get_address_of__rangeMessage_18() { return &____rangeMessage_18; }
inline void set__rangeMessage_18(String_t* value)
{
____rangeMessage_18 = value;
Il2CppCodeGenWriteBarrier((&____rangeMessage_18), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ARGUMENTOUTOFRANGEEXCEPTION_T94D19DF918A54511AEDF4784C9A08741BAD1DEDA_H
#ifndef MULTICASTDELEGATE_T_H
#define MULTICASTDELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.MulticastDelegate
struct MulticastDelegate_t : public Delegate_t
{
public:
// System.Delegate[] System.MulticastDelegate::delegates
DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* ___delegates_11;
public:
inline static int32_t get_offset_of_delegates_11() { return static_cast<int32_t>(offsetof(MulticastDelegate_t, ___delegates_11)); }
inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* get_delegates_11() const { return ___delegates_11; }
inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86** get_address_of_delegates_11() { return &___delegates_11; }
inline void set_delegates_11(DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* value)
{
___delegates_11 = value;
Il2CppCodeGenWriteBarrier((&___delegates_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_pinvoke : public Delegate_t_marshaled_pinvoke
{
Delegate_t_marshaled_pinvoke** ___delegates_11;
};
// Native definition for COM marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_com : public Delegate_t_marshaled_com
{
Delegate_t_marshaled_com** ___delegates_11;
};
#endif // MULTICASTDELEGATE_T_H
#ifndef ASYNCTASKMETHODBUILDER_T0CD1893D670405BED201BE8CA6F2E811F2C0F487_H
#define ASYNCTASKMETHODBUILDER_T0CD1893D670405BED201BE8CA6F2E811F2C0F487_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder
struct AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487
{
public:
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder::m_builder
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 ___m_builder_1;
public:
inline static int32_t get_offset_of_m_builder_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487, ___m_builder_1)); }
inline AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 get_m_builder_1() const { return ___m_builder_1; }
inline AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * get_address_of_m_builder_1() { return &___m_builder_1; }
inline void set_m_builder_1(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 value)
{
___m_builder_1 = value;
}
};
struct AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487_StaticFields
{
public:
// System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder::s_cachedCompleted
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * ___s_cachedCompleted_0;
public:
inline static int32_t get_offset_of_s_cachedCompleted_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487_StaticFields, ___s_cachedCompleted_0)); }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * get_s_cachedCompleted_0() const { return ___s_cachedCompleted_0; }
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 ** get_address_of_s_cachedCompleted_0() { return &___s_cachedCompleted_0; }
inline void set_s_cachedCompleted_0(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * value)
{
___s_cachedCompleted_0 = value;
Il2CppCodeGenWriteBarrier((&___s_cachedCompleted_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.AsyncTaskMethodBuilder
struct AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487_marshaled_pinvoke
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 ___m_builder_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.AsyncTaskMethodBuilder
struct AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487_marshaled_com
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 ___m_builder_1;
};
#endif // ASYNCTASKMETHODBUILDER_T0CD1893D670405BED201BE8CA6F2E811F2C0F487_H
#ifndef X509CHAINSTATUS_T9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_H
#define X509CHAINSTATUS_T9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Security.Cryptography.X509Certificates.X509ChainStatus
struct X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C
{
public:
// System.Security.Cryptography.X509Certificates.X509ChainStatusFlags System.Security.Cryptography.X509Certificates.X509ChainStatus::status
int32_t ___status_0;
// System.String System.Security.Cryptography.X509Certificates.X509ChainStatus::info
String_t* ___info_1;
public:
inline static int32_t get_offset_of_status_0() { return static_cast<int32_t>(offsetof(X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C, ___status_0)); }
inline int32_t get_status_0() const { return ___status_0; }
inline int32_t* get_address_of_status_0() { return &___status_0; }
inline void set_status_0(int32_t value)
{
___status_0 = value;
}
inline static int32_t get_offset_of_info_1() { return static_cast<int32_t>(offsetof(X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C, ___info_1)); }
inline String_t* get_info_1() const { return ___info_1; }
inline String_t** get_address_of_info_1() { return &___info_1; }
inline void set_info_1(String_t* value)
{
___info_1 = value;
Il2CppCodeGenWriteBarrier((&___info_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Security.Cryptography.X509Certificates.X509ChainStatus
struct X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_marshaled_pinvoke
{
int32_t ___status_0;
char* ___info_1;
};
// Native definition for COM marshalling of System.Security.Cryptography.X509Certificates.X509ChainStatus
struct X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_marshaled_com
{
int32_t ___status_0;
Il2CppChar* ___info_1;
};
#endif // X509CHAINSTATUS_T9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_H
#ifndef U3CWAITUNTILCOUNTORTIMEOUTASYNCU3ED__31_T9D784C9583154361C14A89915B798CDE652CF3AC_H
#define U3CWAITUNTILCOUNTORTIMEOUTASYNCU3ED__31_T9D784C9583154361C14A89915B798CDE652CF3AC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31
struct U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC
{
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_t37B8301A93B487253B9622D00C44195BE042E4BE ___U3CU3Et__builder_1;
// System.Threading.CancellationToken System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_2;
// System.Threading.SemaphoreSlim_TaskNode System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31::asyncWaiter
TaskNode_t2497E541C4CB8A41A55B30DFBE3A30F68B140E2D * ___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_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * ___U3CctsU3E5__1_5;
// System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31::<>4__this
SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * ___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_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B ___U3CU3Eu__1_8;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Boolean> System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31::<>u__2
ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 ___U3CU3Eu__2_9;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___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_t9D784C9583154361C14A89915B798CDE652CF3AC, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_cancellationToken_2() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___cancellationToken_2)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_2() const { return ___cancellationToken_2; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_2() { return &___cancellationToken_2; }
inline void set_cancellationToken_2(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_2 = value;
}
inline static int32_t get_offset_of_asyncWaiter_3() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___asyncWaiter_3)); }
inline TaskNode_t2497E541C4CB8A41A55B30DFBE3A30F68B140E2D * get_asyncWaiter_3() const { return ___asyncWaiter_3; }
inline TaskNode_t2497E541C4CB8A41A55B30DFBE3A30F68B140E2D ** get_address_of_asyncWaiter_3() { return &___asyncWaiter_3; }
inline void set_asyncWaiter_3(TaskNode_t2497E541C4CB8A41A55B30DFBE3A30F68B140E2D * value)
{
___asyncWaiter_3 = value;
Il2CppCodeGenWriteBarrier((&___asyncWaiter_3), value);
}
inline static int32_t get_offset_of_millisecondsTimeout_4() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___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_t9D784C9583154361C14A89915B798CDE652CF3AC, ___U3CctsU3E5__1_5)); }
inline CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * get_U3CctsU3E5__1_5() const { return ___U3CctsU3E5__1_5; }
inline CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE ** get_address_of_U3CctsU3E5__1_5() { return &___U3CctsU3E5__1_5; }
inline void set_U3CctsU3E5__1_5(CancellationTokenSource_tF480B7E74A032667AFBD31F0530D619FB43AD3FE * value)
{
___U3CctsU3E5__1_5 = value;
Il2CppCodeGenWriteBarrier((&___U3CctsU3E5__1_5), value);
}
inline static int32_t get_offset_of_U3CU3E4__this_6() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___U3CU3E4__this_6)); }
inline SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * get_U3CU3E4__this_6() const { return ___U3CU3E4__this_6; }
inline SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 ** get_address_of_U3CU3E4__this_6() { return &___U3CU3E4__this_6; }
inline void set_U3CU3E4__this_6(SemaphoreSlim_t2E2888D1C0C8FAB80823C76F1602E4434B8FA048 * value)
{
___U3CU3E4__this_6 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_6), value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_7() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___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((&___U3CU3E7__wrap1_7), value);
}
inline static int32_t get_offset_of_U3CU3Eu__1_8() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___U3CU3Eu__1_8)); }
inline ConfiguredTaskAwaiter_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B get_U3CU3Eu__1_8() const { return ___U3CU3Eu__1_8; }
inline ConfiguredTaskAwaiter_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B * get_address_of_U3CU3Eu__1_8() { return &___U3CU3Eu__1_8; }
inline void set_U3CU3Eu__1_8(ConfiguredTaskAwaiter_tD4BEDA267F72A0A17D4D6169CAAC637DB564E87B value)
{
___U3CU3Eu__1_8 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__2_9() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC, ___U3CU3Eu__2_9)); }
inline ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 get_U3CU3Eu__2_9() const { return ___U3CU3Eu__2_9; }
inline ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * get_address_of_U3CU3Eu__2_9() { return &___U3CU3Eu__2_9; }
inline void set_U3CU3Eu__2_9(ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 value)
{
___U3CU3Eu__2_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CWAITUNTILCOUNTORTIMEOUTASYNCU3ED__31_T9D784C9583154361C14A89915B798CDE652CF3AC_H
#ifndef TASK_1_TD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_H
#define TASK_1_TD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task`1<System.Boolean>
struct Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 : public Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2
{
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_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439, ___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_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_t90DBF289FBDBB845B0FA55E1773164F06FBDEA17 * ___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_t185FBBAFD46813778C35A8D4A5FA3AFB4FC0E14C * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_t90DBF289FBDBB845B0FA55E1773164F06FBDEA17 * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_t90DBF289FBDBB845B0FA55E1773164F06FBDEA17 ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_t90DBF289FBDBB845B0FA55E1773164F06FBDEA17 * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((&___s_Factory_23), value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t185FBBAFD46813778C35A8D4A5FA3AFB4FC0E14C * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t185FBBAFD46813778C35A8D4A5FA3AFB4FC0E14C ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t185FBBAFD46813778C35A8D4A5FA3AFB4FC0E14C * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((&___TaskWhenAnyCast_24), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_1_TD6131FE3A3A2F1D58DB886B6CF31A2672B75B439_H
#ifndef TASK_1_T640F0CBB720BB9CD14B90B7B81624471A9F56D87_H
#define TASK_1_T640F0CBB720BB9CD14B90B7B81624471A9F56D87_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task`1<System.Int32>
struct Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 : public Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2
{
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_t640F0CBB720BB9CD14B90B7B81624471A9F56D87, ___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_t640F0CBB720BB9CD14B90B7B81624471A9F56D87_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_t35BBF03CDA9AA94D2BE8CB805D2C764236F56CC7 * ___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_tBCA034BF330CE1C3008C166BF27F309CD4C41C24 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_t35BBF03CDA9AA94D2BE8CB805D2C764236F56CC7 * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_t35BBF03CDA9AA94D2BE8CB805D2C764236F56CC7 ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_t35BBF03CDA9AA94D2BE8CB805D2C764236F56CC7 * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((&___s_Factory_23), value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_tBCA034BF330CE1C3008C166BF27F309CD4C41C24 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_tBCA034BF330CE1C3008C166BF27F309CD4C41C24 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_tBCA034BF330CE1C3008C166BF27F309CD4C41C24 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((&___TaskWhenAnyCast_24), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_1_T640F0CBB720BB9CD14B90B7B81624471A9F56D87_H
#ifndef TASK_1_T8906695C9865566AA79419735634FF27AC74506E_H
#define TASK_1_T8906695C9865566AA79419735634FF27AC74506E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task`1<System.Nullable`1<System.Int32>>
struct Task_1_t8906695C9865566AA79419735634FF27AC74506E : public Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_t8906695C9865566AA79419735634FF27AC74506E, ___m_result_22)); }
inline Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB get_m_result_22() const { return ___m_result_22; }
inline Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB * get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(Nullable_1_t0D03270832B3FFDDC0E7C2D89D4A0EA25376A1EB value)
{
___m_result_22 = value;
}
};
struct Task_1_t8906695C9865566AA79419735634FF27AC74506E_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_tBDEE73CC26733B668E00E1788D332FB0D9CC209E * ___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_t701CADF8EBD45CB33B018417B83025C3FF39ABA3 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t8906695C9865566AA79419735634FF27AC74506E_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_tBDEE73CC26733B668E00E1788D332FB0D9CC209E * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_tBDEE73CC26733B668E00E1788D332FB0D9CC209E ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_tBDEE73CC26733B668E00E1788D332FB0D9CC209E * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((&___s_Factory_23), value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t8906695C9865566AA79419735634FF27AC74506E_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t701CADF8EBD45CB33B018417B83025C3FF39ABA3 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t701CADF8EBD45CB33B018417B83025C3FF39ABA3 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t701CADF8EBD45CB33B018417B83025C3FF39ABA3 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((&___TaskWhenAnyCast_24), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_1_T8906695C9865566AA79419735634FF27AC74506E_H
#ifndef TASK_1_TA56001ED5270173CA1432EDFCD84EABB1024BC09_H
#define TASK_1_TA56001ED5270173CA1432EDFCD84EABB1024BC09_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task`1<System.Object>
struct Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 : public Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
RuntimeObject * ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09, ___m_result_22)); }
inline RuntimeObject * get_m_result_22() const { return ___m_result_22; }
inline RuntimeObject ** get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(RuntimeObject * value)
{
___m_result_22 = value;
Il2CppCodeGenWriteBarrier((&___m_result_22), value);
}
};
struct Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_tA50D9207CAE2C505277DD5F03CBE64700177257C * ___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_tDAE4310E42C13AE378CDF0371BD31D6BF4E61EBD * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_tA50D9207CAE2C505277DD5F03CBE64700177257C * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_tA50D9207CAE2C505277DD5F03CBE64700177257C ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_tA50D9207CAE2C505277DD5F03CBE64700177257C * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((&___s_Factory_23), value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_tDAE4310E42C13AE378CDF0371BD31D6BF4E61EBD * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_tDAE4310E42C13AE378CDF0371BD31D6BF4E61EBD ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_tDAE4310E42C13AE378CDF0371BD31D6BF4E61EBD * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((&___TaskWhenAnyCast_24), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_1_TA56001ED5270173CA1432EDFCD84EABB1024BC09_H
#ifndef TASK_1_T1359D75350E9D976BFA28AD96E417450DE277673_H
#define TASK_1_T1359D75350E9D976BFA28AD96E417450DE277673_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult>
struct Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 : public Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40 ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673, ___m_result_22)); }
inline VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40 get_m_result_22() const { return ___m_result_22; }
inline VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40 * get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(VoidTaskResult_t66EBC10DDE738848DB00F6EC1A2536D7D4715F40 value)
{
___m_result_22 = value;
}
};
struct Task_1_t1359D75350E9D976BFA28AD96E417450DE277673_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_t3C0D0DC20C0FC00DE4F8740B351BE642467AB03D * ___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_t9FE43757FE22F96D0EA4E7945B6D146812F2671F * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_t3C0D0DC20C0FC00DE4F8740B351BE642467AB03D * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_t3C0D0DC20C0FC00DE4F8740B351BE642467AB03D ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_t3C0D0DC20C0FC00DE4F8740B351BE642467AB03D * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((&___s_Factory_23), value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t1359D75350E9D976BFA28AD96E417450DE277673_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t9FE43757FE22F96D0EA4E7945B6D146812F2671F * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t9FE43757FE22F96D0EA4E7945B6D146812F2671F ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t9FE43757FE22F96D0EA4E7945B6D146812F2671F * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((&___TaskWhenAnyCast_24), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TASK_1_T1359D75350E9D976BFA28AD96E417450DE277673_H
#ifndef TYPE_T_H
#define TYPE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Type
struct Type_t : public MemberInfo_t
{
public:
// System.RuntimeTypeHandle System.Type::_impl
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D ____impl_9;
public:
inline static int32_t get_offset_of__impl_9() { return static_cast<int32_t>(offsetof(Type_t, ____impl_9)); }
inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D get__impl_9() const { return ____impl_9; }
inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D * get_address_of__impl_9() { return &____impl_9; }
inline void set__impl_9(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D value)
{
____impl_9 = value;
}
};
struct Type_t_StaticFields
{
public:
// System.Reflection.MemberFilter System.Type::FilterAttribute
MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterAttribute_0;
// System.Reflection.MemberFilter System.Type::FilterName
MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterName_1;
// System.Reflection.MemberFilter System.Type::FilterNameIgnoreCase
MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterNameIgnoreCase_2;
// System.Object System.Type::Missing
RuntimeObject * ___Missing_3;
// System.Char System.Type::Delimiter
Il2CppChar ___Delimiter_4;
// System.Type[] System.Type::EmptyTypes
TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___EmptyTypes_5;
// System.Reflection.Binder System.Type::defaultBinder
Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * ___defaultBinder_6;
public:
inline static int32_t get_offset_of_FilterAttribute_0() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterAttribute_0)); }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterAttribute_0() const { return ___FilterAttribute_0; }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterAttribute_0() { return &___FilterAttribute_0; }
inline void set_FilterAttribute_0(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value)
{
___FilterAttribute_0 = value;
Il2CppCodeGenWriteBarrier((&___FilterAttribute_0), value);
}
inline static int32_t get_offset_of_FilterName_1() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterName_1)); }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterName_1() const { return ___FilterName_1; }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterName_1() { return &___FilterName_1; }
inline void set_FilterName_1(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value)
{
___FilterName_1 = value;
Il2CppCodeGenWriteBarrier((&___FilterName_1), value);
}
inline static int32_t get_offset_of_FilterNameIgnoreCase_2() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterNameIgnoreCase_2)); }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterNameIgnoreCase_2() const { return ___FilterNameIgnoreCase_2; }
inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterNameIgnoreCase_2() { return &___FilterNameIgnoreCase_2; }
inline void set_FilterNameIgnoreCase_2(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value)
{
___FilterNameIgnoreCase_2 = value;
Il2CppCodeGenWriteBarrier((&___FilterNameIgnoreCase_2), value);
}
inline static int32_t get_offset_of_Missing_3() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Missing_3)); }
inline RuntimeObject * get_Missing_3() const { return ___Missing_3; }
inline RuntimeObject ** get_address_of_Missing_3() { return &___Missing_3; }
inline void set_Missing_3(RuntimeObject * value)
{
___Missing_3 = value;
Il2CppCodeGenWriteBarrier((&___Missing_3), value);
}
inline static int32_t get_offset_of_Delimiter_4() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Delimiter_4)); }
inline Il2CppChar get_Delimiter_4() const { return ___Delimiter_4; }
inline Il2CppChar* get_address_of_Delimiter_4() { return &___Delimiter_4; }
inline void set_Delimiter_4(Il2CppChar value)
{
___Delimiter_4 = value;
}
inline static int32_t get_offset_of_EmptyTypes_5() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___EmptyTypes_5)); }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_EmptyTypes_5() const { return ___EmptyTypes_5; }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_EmptyTypes_5() { return &___EmptyTypes_5; }
inline void set_EmptyTypes_5(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value)
{
___EmptyTypes_5 = value;
Il2CppCodeGenWriteBarrier((&___EmptyTypes_5), value);
}
inline static int32_t get_offset_of_defaultBinder_6() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___defaultBinder_6)); }
inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * get_defaultBinder_6() const { return ___defaultBinder_6; }
inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 ** get_address_of_defaultBinder_6() { return &___defaultBinder_6; }
inline void set_defaultBinder_6(Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * value)
{
___defaultBinder_6 = value;
Il2CppCodeGenWriteBarrier((&___defaultBinder_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TYPE_T_H
#ifndef COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#define COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifndef PLAYABLEBINDING_T4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_H
#define PLAYABLEBINDING_T4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Playables.PlayableBinding
struct PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8
{
public:
// System.String UnityEngine.Playables.PlayableBinding::m_StreamName
String_t* ___m_StreamName_0;
// UnityEngine.Object UnityEngine.Playables.PlayableBinding::m_SourceObject
Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___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_tA7B649F49822FC5DD0B0D9F17247C73CAECB1CA3 * ___m_CreateOutputMethod_3;
public:
inline static int32_t get_offset_of_m_StreamName_0() { return static_cast<int32_t>(offsetof(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8, ___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((&___m_StreamName_0), value);
}
inline static int32_t get_offset_of_m_SourceObject_1() { return static_cast<int32_t>(offsetof(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8, ___m_SourceObject_1)); }
inline Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * get_m_SourceObject_1() const { return ___m_SourceObject_1; }
inline Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 ** get_address_of_m_SourceObject_1() { return &___m_SourceObject_1; }
inline void set_m_SourceObject_1(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * value)
{
___m_SourceObject_1 = value;
Il2CppCodeGenWriteBarrier((&___m_SourceObject_1), value);
}
inline static int32_t get_offset_of_m_SourceBindingType_2() { return static_cast<int32_t>(offsetof(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8, ___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((&___m_SourceBindingType_2), value);
}
inline static int32_t get_offset_of_m_CreateOutputMethod_3() { return static_cast<int32_t>(offsetof(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8, ___m_CreateOutputMethod_3)); }
inline CreateOutputMethod_tA7B649F49822FC5DD0B0D9F17247C73CAECB1CA3 * get_m_CreateOutputMethod_3() const { return ___m_CreateOutputMethod_3; }
inline CreateOutputMethod_tA7B649F49822FC5DD0B0D9F17247C73CAECB1CA3 ** get_address_of_m_CreateOutputMethod_3() { return &___m_CreateOutputMethod_3; }
inline void set_m_CreateOutputMethod_3(CreateOutputMethod_tA7B649F49822FC5DD0B0D9F17247C73CAECB1CA3 * value)
{
___m_CreateOutputMethod_3 = value;
Il2CppCodeGenWriteBarrier((&___m_CreateOutputMethod_3), value);
}
};
struct PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_StaticFields
{
public:
// UnityEngine.Playables.PlayableBinding[] UnityEngine.Playables.PlayableBinding::None
PlayableBindingU5BU5D_t7EB322901D51EAB67BA4F711C87F3AC1CF5D89AB* ___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_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_StaticFields, ___None_4)); }
inline PlayableBindingU5BU5D_t7EB322901D51EAB67BA4F711C87F3AC1CF5D89AB* get_None_4() const { return ___None_4; }
inline PlayableBindingU5BU5D_t7EB322901D51EAB67BA4F711C87F3AC1CF5D89AB** get_address_of_None_4() { return &___None_4; }
inline void set_None_4(PlayableBindingU5BU5D_t7EB322901D51EAB67BA4F711C87F3AC1CF5D89AB* value)
{
___None_4 = value;
Il2CppCodeGenWriteBarrier((&___None_4), value);
}
inline static int32_t get_offset_of_DefaultDuration_5() { return static_cast<int32_t>(offsetof(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Playables.PlayableBinding
struct PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_marshaled_pinvoke
{
char* ___m_StreamName_0;
Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_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_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_marshaled_com
{
Il2CppChar* ___m_StreamName_0;
Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com* ___m_SourceObject_1;
Type_t * ___m_SourceBindingType_2;
Il2CppMethodPointer ___m_CreateOutputMethod_3;
};
#endif // PLAYABLEBINDING_T4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_H
#ifndef SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#define SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
};
#endif // SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifndef U3CPROCESSOPERATIONU3ED__24_T969904EA513B205F08A3ED1624FE3890853645AA_H
#define U3CPROCESSOPERATIONU3ED__24_T969904EA513B205F08A3ED1624FE3890853645AA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24
struct U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA
{
public:
// System.Int32 Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<>t__builder
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 ___U3CU3Et__builder_1;
// System.Threading.CancellationToken Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_2;
// Mono.Net.Security.AsyncProtocolRequest Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<>4__this
AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * ___U3CU3E4__this_3;
// Mono.Net.Security.AsyncOperationStatus Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<status>5__1
int32_t ___U3CstatusU3E5__1_4;
// Mono.Net.Security.AsyncOperationStatus Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<newStatus>5__2
int32_t ___U3CnewStatusU3E5__2_5;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>> Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<>u__1
ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 ___U3CU3Eu__1_6;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24::<>u__2
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 ___U3CU3Eu__2_7;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___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(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_cancellationToken_2() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___cancellationToken_2)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_2() const { return ___cancellationToken_2; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_2() { return &___cancellationToken_2; }
inline void set_cancellationToken_2(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CU3E4__this_3)); }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(AsyncProtocolRequest_tC1F08D36027FBF2F0252CA11DD18AD0F3BE37027 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_3), value);
}
inline static int32_t get_offset_of_U3CstatusU3E5__1_4() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CstatusU3E5__1_4)); }
inline int32_t get_U3CstatusU3E5__1_4() const { return ___U3CstatusU3E5__1_4; }
inline int32_t* get_address_of_U3CstatusU3E5__1_4() { return &___U3CstatusU3E5__1_4; }
inline void set_U3CstatusU3E5__1_4(int32_t value)
{
___U3CstatusU3E5__1_4 = value;
}
inline static int32_t get_offset_of_U3CnewStatusU3E5__2_5() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CnewStatusU3E5__2_5)); }
inline int32_t get_U3CnewStatusU3E5__2_5() const { return ___U3CnewStatusU3E5__2_5; }
inline int32_t* get_address_of_U3CnewStatusU3E5__2_5() { return &___U3CnewStatusU3E5__2_5; }
inline void set_U3CnewStatusU3E5__2_5(int32_t value)
{
___U3CnewStatusU3E5__2_5 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_6() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CU3Eu__1_6)); }
inline ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 get_U3CU3Eu__1_6() const { return ___U3CU3Eu__1_6; }
inline ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * get_address_of_U3CU3Eu__1_6() { return &___U3CU3Eu__1_6; }
inline void set_U3CU3Eu__1_6(ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 value)
{
___U3CU3Eu__1_6 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__2_7() { return static_cast<int32_t>(offsetof(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA, ___U3CU3Eu__2_7)); }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 get_U3CU3Eu__2_7() const { return ___U3CU3Eu__2_7; }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * get_address_of_U3CU3Eu__2_7() { return &___U3CU3Eu__2_7; }
inline void set_U3CU3Eu__2_7(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 value)
{
___U3CU3Eu__2_7 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CPROCESSOPERATIONU3ED__24_T969904EA513B205F08A3ED1624FE3890853645AA_H
#ifndef U3CINNERWRITEU3ED__67_TCEBE4678B01EBC181A242F16C978B7A71367AF43_H
#define U3CINNERWRITEU3ED__67_TCEBE4678B01EBC181A242F16C978B7A71367AF43_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67
struct U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43
{
public:
// System.Int32 Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::<>t__builder
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 ___U3CU3Et__builder_1;
// System.Threading.CancellationToken Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::cancellationToken
CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB ___cancellationToken_2;
// Mono.Net.Security.MobileAuthenticatedStream Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::<>4__this
MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * ___U3CU3E4__this_3;
// System.Boolean Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::sync
bool ___sync_4;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67::<>u__1
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 ___U3CU3Eu__1_5;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___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(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 value)
{
___U3CU3Et__builder_1 = value;
}
inline static int32_t get_offset_of_cancellationToken_2() { return static_cast<int32_t>(offsetof(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___cancellationToken_2)); }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB get_cancellationToken_2() const { return ___cancellationToken_2; }
inline CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB * get_address_of_cancellationToken_2() { return &___cancellationToken_2; }
inline void set_cancellationToken_2(CancellationToken_t9E956952F7F20908F2AE72EDF36D97E6C7DB63AB value)
{
___cancellationToken_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___U3CU3E4__this_3)); }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(MobileAuthenticatedStream_tB6E77FB644434B5B525191DC671462A6461B9045 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_3), value);
}
inline static int32_t get_offset_of_sync_4() { return static_cast<int32_t>(offsetof(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___sync_4)); }
inline bool get_sync_4() const { return ___sync_4; }
inline bool* get_address_of_sync_4() { return &___sync_4; }
inline void set_sync_4(bool value)
{
___sync_4 = value;
}
inline static int32_t get_offset_of_U3CU3Eu__1_5() { return static_cast<int32_t>(offsetof(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43, ___U3CU3Eu__1_5)); }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 get_U3CU3Eu__1_5() const { return ___U3CU3Eu__1_5; }
inline ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * get_address_of_U3CU3Eu__1_5() { return &___U3CU3Eu__1_5; }
inline void set_U3CU3Eu__1_5(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 value)
{
___U3CU3Eu__1_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CINNERWRITEU3ED__67_TCEBE4678B01EBC181A242F16C978B7A71367AF43_H
#ifndef ACTION_T591D2A86165F896B4B800BB5C25CE18672A55579_H
#define ACTION_T591D2A86165F896B4B800BB5C25CE18672A55579_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Action
struct Action_t591D2A86165F896B4B800BB5C25CE18672A55579 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ACTION_T591D2A86165F896B4B800BB5C25CE18672A55579_H
#ifndef COMPARISON_1_TD9DBDF7B2E4774B4D35E113A76D75828A24641F4_H
#define COMPARISON_1_TD9DBDF7B2E4774B4D35E113A76D75828A24641F4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Comparison`1<System.Object>
struct Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPARISON_1_TD9DBDF7B2E4774B4D35E113A76D75828A24641F4_H
#ifndef CONVERTER_2_T2E64EC99491AE527ACFE8BC9D48EA74E27D7A979_H
#define CONVERTER_2_T2E64EC99491AE527ACFE8BC9D48EA74E27D7A979_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Converter`2<System.Object,System.Object>
struct Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONVERTER_2_T2E64EC99491AE527ACFE8BC9D48EA74E27D7A979_H
#ifndef FUNC_1_T59BE545225A69AFD7B2056D169D0083051F6D386_H
#define FUNC_1_T59BE545225A69AFD7B2056D169D0083051F6D386_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Func`1<System.Object>
struct Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // FUNC_1_T59BE545225A69AFD7B2056D169D0083051F6D386_H
#ifndef FUNC_2_T4B4B1E74248F38404B56001A709D81142DE730CC_H
#define FUNC_2_T4B4B1E74248F38404B56001A709D81142DE730CC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Func`2<System.Object,System.Boolean>
struct Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // FUNC_2_T4B4B1E74248F38404B56001A709D81142DE730CC_H
#ifndef PREDICATE_1_T4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979_H
#define PREDICATE_1_T4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Predicate`1<System.Object>
struct Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // PREDICATE_1_T4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979_H
// System.Object[]
struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A : public RuntimeArray
{
public:
ALIGN_FIELD (8) RuntimeObject * m_Items[1];
public:
inline RuntimeObject * GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline RuntimeObject ** GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, RuntimeObject * value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
inline RuntimeObject * GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline RuntimeObject ** GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject * value)
{
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
};
// System.UInt64[]
struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4 : public RuntimeArray
{
public:
ALIGN_FIELD (8) uint64_t m_Items[1];
public:
inline uint64_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline uint64_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, uint64_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline uint64_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline uint64_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, uint64_t value)
{
m_Items[index] = value;
}
};
// UnityEngine.BeforeRenderHelper_OrderBlock[]
struct OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101 : public RuntimeArray
{
public:
ALIGN_FIELD (8) OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 m_Items[1];
public:
inline OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 * GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 value)
{
m_Items[index] = value;
}
};
// UnityEngine.UnitySynchronizationContext_WorkRequest[]
struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0 : public RuntimeArray
{
public:
ALIGN_FIELD (8) WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 m_Items[1];
public:
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 value)
{
m_Items[index] = value;
}
};
// System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>[]
struct KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F : public RuntimeArray
{
public:
ALIGN_FIELD (8) KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B m_Items[1];
public:
inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B value)
{
m_Items[index] = value;
}
};
// System.Int32[]
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83 : public RuntimeArray
{
public:
ALIGN_FIELD (8) int32_t m_Items[1];
public:
inline int32_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline int32_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, int32_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline int32_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline int32_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, int32_t value)
{
m_Items[index] = value;
}
};
// System.Int32Enum[]
struct Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A : public RuntimeArray
{
public:
ALIGN_FIELD (8) int32_t m_Items[1];
public:
inline int32_t GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline int32_t* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, int32_t value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline int32_t GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline int32_t* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, int32_t value)
{
m_Items[index] = value;
}
};
// System.Char[]
struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Il2CppChar m_Items[1];
public:
inline Il2CppChar GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Il2CppChar* GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, Il2CppChar value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline Il2CppChar GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Il2CppChar* GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Il2CppChar value)
{
m_Items[index] = value;
}
};
// System.Reflection.CustomAttributeNamedArgument[]
struct CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828 : public RuntimeArray
{
public:
ALIGN_FIELD (8) CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E m_Items[1];
public:
inline CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E * GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E value)
{
m_Items[index] = value;
}
};
// System.Reflection.CustomAttributeTypedArgument[]
struct CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05 : public RuntimeArray
{
public:
ALIGN_FIELD (8) CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 m_Items[1];
public:
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 * GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
}
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 * GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 value)
{
m_Items[index] = value;
}
};
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Object,System.Object>(!!0&,!!1&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, RuntimeObject ** p0, RuntimeObject ** p1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(!!0&,!!1&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * p0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * p1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(!!0&,!!1&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * p0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * p1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(!!0&,!!1&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * p0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * p1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<System.Object>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::get_Task()
extern "C" IL2CPP_METHOD_ATTR Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Boolean>,System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Object>,System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::Start<System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine0, const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::get_Task()
extern "C" IL2CPP_METHOD_ATTR Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.MobileAuthenticatedStream/<InnerRead>d__66>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Object>,Mono.Net.Security.MobileAuthenticatedStream/<StartOperation>d__58>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream/<InnerRead>d__66>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream/<StartOperation>d__58>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine0, const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::get_Task()
extern "C" IL2CPP_METHOD_ATTR Task_1_t8906695C9865566AA79419735634FF27AC74506E * AsyncTaskMethodBuilder_1_get_Task_m35C5C2BA1998F89CDCED8166BAE477A591FAB101_gshared (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.AsyncProtocolRequest/<InnerRead>d__25>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_gshared (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::Start<Mono.Net.Security.AsyncProtocolRequest/<InnerRead>d__25>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_gshared (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine0, const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::get_Task()
extern "C" IL2CPP_METHOD_ATTR Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<StartOperation>d__23>(TAwaiter&,TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<Mono.Net.Security.AsyncProtocolRequest/<StartOperation>d__23>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<System.Object>(TStateMachine&)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::get_Task()
extern "C" IL2CPP_METHOD_ATTR Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, const RuntimeMethod* method);
// TResult System.Runtime.CompilerServices.TaskAwaiter`1<System.Int32>::GetResult()
extern "C" IL2CPP_METHOD_ATTR int32_t TaskAwaiter_1_GetResult_m0E9661BE4684BA278EE9C6A4EE23FF62AEC86FB9_gshared (TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 * __this, const RuntimeMethod* method);
// TResult System.Runtime.CompilerServices.TaskAwaiter`1<System.Object>::GetResult()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * TaskAwaiter_1_GetResult_m9E148849CD4747E1BDD831E4FB2D7ECFA13C11C8_gshared (TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 * __this, const RuntimeMethod* method);
// System.Void System.ArgumentNullException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * __this, String_t* ___paramName0, const RuntimeMethod* method);
// System.Void System.ArgumentOutOfRangeException::.ctor(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * __this, String_t* ___paramName0, String_t* ___message1, const RuntimeMethod* method);
// System.Void System.ArgumentException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* ___message0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Object,System.Object>(!!0&,!!1&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87 (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, RuntimeObject ** p0, RuntimeObject ** p1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *, RuntimeObject **, RuntimeObject **, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_gshared)(__this, p0, p1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, RuntimeObject **, RuntimeObject **, const RuntimeMethod*))AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(!!0&,!!1&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * p0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * p1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_gshared)(__this, p0, p1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *, const RuntimeMethod*))AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(!!0&,!!1&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * p0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * p1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_gshared)(__this, p0, p1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *, const RuntimeMethod*))AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(!!0&,!!1&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * p0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * p1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 *, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_gshared)(__this, p0, p1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 *, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *, const RuntimeMethod*))AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.RuntimeHelpers::PrepareConstrainedRegions()
extern "C" IL2CPP_METHOD_ATTR void RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027 (const RuntimeMethod* method);
// System.Void System.Threading.ExecutionContext::EstablishCopyOnWriteScope(System.Threading.ExecutionContextSwitcher&)
extern "C" IL2CPP_METHOD_ATTR void ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1 (ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 * ___ecsw0, const RuntimeMethod* method);
// System.Void Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CProcessOperationU3Ed__24_MoveNext_m8B20266FC4831A26E691F83D54C6903CF264999D (U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * __this, const RuntimeMethod* method);
// System.Void System.Threading.ExecutionContextSwitcher::Undo()
extern "C" IL2CPP_METHOD_ATTR void ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E (ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.AsyncProtocolRequest/<ProcessOperation>d__24>(TStateMachine&)
inline void AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *, const RuntimeMethod*))AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_gshared)(__this, ___stateMachine0, method);
}
// System.Void Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CInnerWriteU3Ed__67_MoveNext_mD7A964B6974275AD771AB15475A775E3393EE542 (U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.MobileAuthenticatedStream/<InnerWrite>d__67>(TStateMachine&)
inline void AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *, const RuntimeMethod*))AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_gshared)(__this, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<System.Object>(TStateMachine&)
inline void AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11 (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *, RuntimeObject **, const RuntimeMethod*))AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_gshared)(__this, ___stateMachine0, method);
}
// System.Boolean System.Threading.Tasks.AsyncCausalityTracer::get_LoggingOn()
extern "C" IL2CPP_METHOD_ATTR bool AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7 (const RuntimeMethod* method);
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::get_Task()
inline Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66 (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, const RuntimeMethod* method)
{
return (( Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * (*) (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66_gshared)(__this, method);
}
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore::GetCompletionAction(System.Threading.Tasks.Task,System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner&)
extern "C" IL2CPP_METHOD_ATTR Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * __this, Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___taskForTracing0, MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A ** ___runnerToInitialize1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncMethodBuilderCore::PostBoxInitialization(System.Runtime.CompilerServices.IAsyncStateMachine,System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner,System.Threading.Tasks.Task)
extern "C" IL2CPP_METHOD_ATTR void AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387 (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * __this, RuntimeObject* ___stateMachine0, MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * ___runner1, Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * ___builtTask2, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncMethodBuilderCore::ThrowAsync(System.Exception,System.Threading.SynchronizationContext)
extern "C" IL2CPP_METHOD_ATTR void AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31 (Exception_t * ___exception0, SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 * ___targetContext1, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Boolean>,System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5 (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *, ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 *, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Object>,System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12 (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E *, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_MoveNext_m1982400CBDD4DB67FE38119302F2B707992C1EAA (U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::Start<System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966 (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_gshared)(__this, ___stateMachine0, method);
}
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::get_Task()
inline Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2 (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, const RuntimeMethod* method)
{
return (( Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * (*) (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2_gshared)(__this, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.MobileAuthenticatedStream/<InnerRead>d__66>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083 (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E *, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Object>,Mono.Net.Security.MobileAuthenticatedStream/<StartOperation>d__58>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74 (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E *, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void Mono.Net.Security.MobileAuthenticatedStream/<InnerRead>d__66::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CInnerReadU3Ed__66_MoveNext_mDF4D1A1689C7CC5B3E42580E12BA513E31959F96 (U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream/<InnerRead>d__66>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4 (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_gshared)(__this, ___stateMachine0, method);
}
// System.Void Mono.Net.Security.MobileAuthenticatedStream/<StartOperation>d__58::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CStartOperationU3Ed__58_MoveNext_m8484CAD90FCBB0E2C0D16FFA928EF43362834466 (U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream/<StartOperation>d__58>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8 (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_gshared)(__this, ___stateMachine0, method);
}
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::get_Task()
inline Task_1_t8906695C9865566AA79419735634FF27AC74506E * AsyncTaskMethodBuilder_1_get_Task_m35C5C2BA1998F89CDCED8166BAE477A591FAB101 (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, const RuntimeMethod* method)
{
return (( Task_1_t8906695C9865566AA79419735634FF27AC74506E * (*) (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_get_Task_m35C5C2BA1998F89CDCED8166BAE477A591FAB101_gshared)(__this, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.AsyncProtocolRequest/<InnerRead>d__25>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5 (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E *, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void Mono.Net.Security.AsyncProtocolRequest/<InnerRead>d__25::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CInnerReadU3Ed__25_MoveNext_m4AD149EC4A2E6FDA803D63FB72A354300DBD3D0D (U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::Start<Mono.Net.Security.AsyncProtocolRequest/<InnerRead>d__25>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659 (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_gshared)(__this, ___stateMachine0, method);
}
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::get_Task()
inline Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, const RuntimeMethod* method)
{
return (( Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * (*) (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA_gshared)(__this, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857 (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *, RuntimeObject **, RuntimeObject **, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter::UnsafeOnCompleted(System.Action)
extern "C" IL2CPP_METHOD_ATTR void ConfiguredTaskAwaiter_UnsafeOnCompleted_mE7338A955A4B573FED1F1271B7BEB567BDFC9C81 (ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * __this, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * ___continuation0, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable/ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest/<StartOperation>d__23>(TAwaiter&,TStateMachine&)
inline void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054 (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine1, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_gshared)(__this, ___awaiter0, ___stateMachine1, method);
}
// System.Void Mono.Net.Security.AsyncProtocolRequest/<StartOperation>d__23::MoveNext()
extern "C" IL2CPP_METHOD_ATTR void U3CStartOperationU3Ed__23_MoveNext_m8BB4BB3D517CE898003C10FE5B80D375FA4D30A2 (U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * __this, const RuntimeMethod* method);
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<Mono.Net.Security.AsyncProtocolRequest/<StartOperation>d__23>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780 (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_gshared)(__this, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<System.Object>(TStateMachine&)
inline void AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8 (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
(( void (*) (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *, RuntimeObject **, const RuntimeMethod*))AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_gshared)(__this, ___stateMachine0, method);
}
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::get_Task()
inline Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966 (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, const RuntimeMethod* method)
{
return (( Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * (*) (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *, const RuntimeMethod*))AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966_gshared)(__this, method);
}
// System.Void System.Runtime.InteropServices.Marshal::StructureToPtr(System.Object,System.IntPtr,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Marshal_StructureToPtr_mC50C72193EC3C321AFB48C3AE9799D80CF5E56C5 (RuntimeObject * ___structure0, intptr_t ___ptr1, bool ___fDeleteOld2, const RuntimeMethod* method);
// System.Void System.ThrowHelper::ThrowArgumentNullException(System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E (int32_t ___argument0, const RuntimeMethod* method);
// System.Type System.Type::GetTypeFromHandle(System.RuntimeTypeHandle)
extern "C" IL2CPP_METHOD_ATTR Type_t * Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6 (RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D p0, const RuntimeMethod* method);
// System.Void UnityEngine.Assertions.Assert::AreEqual(UnityEngine.Object,UnityEngine.Object,System.String)
extern "C" IL2CPP_METHOD_ATTR void Assert_AreEqual_mFD46F687B9319093BA13D285D19999C801DC0A60 (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___expected0, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 * ___actual1, String_t* ___message2, const RuntimeMethod* method);
// System.String UnityEngine.Assertions.AssertionMessageUtil::GetEqualityMessage(System.Object,System.Object,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR String_t* AssertionMessageUtil_GetEqualityMessage_mDBD27DDE3A03418E4A2F8DB377AE866F656C812A (RuntimeObject * ___actual0, RuntimeObject * ___expected1, bool ___expectEqual2, const RuntimeMethod* method);
// System.Void UnityEngine.Assertions.Assert::Fail(System.String,System.String)
extern "C" IL2CPP_METHOD_ATTR void Assert_Fail_m9A3A2A08A2E1D18D0BB7D0C635055839EAA2EF02 (String_t* ___message0, String_t* ___userMessage1, const RuntimeMethod* method);
// System.Type System.Object::GetType()
extern "C" IL2CPP_METHOD_ATTR Type_t * Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60 (RuntimeObject * __this, const RuntimeMethod* method);
// System.String UnityEngine.UnityString::Format(System.String,System.Object[])
extern "C" IL2CPP_METHOD_ATTR String_t* UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387 (String_t* p0, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* p1, const RuntimeMethod* method);
// System.Int32 System.Array::get_Length()
extern "C" IL2CPP_METHOD_ATTR int32_t Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D (RuntimeArray * __this, const RuntimeMethod* method);
// System.Void System.ArgumentOutOfRangeException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6 (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * __this, String_t* ___paramName0, const RuntimeMethod* method);
// System.Attribute System.Reflection.CustomAttributeExtensions::GetCustomAttribute(System.Reflection.Assembly,System.Type)
extern "C" IL2CPP_METHOD_ATTR Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 * CustomAttributeExtensions_GetCustomAttribute_m4F400BBA3D1EBE458C4CCEC26DF2A5F926AE3F34 (Assembly_t * ___element0, Type_t * ___attributeType1, const RuntimeMethod* method);
// System.Object System.Runtime.InteropServices.Marshal::PtrToStructure(System.IntPtr,System.Type)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Marshal_PtrToStructure_mE1821119EAFE83614B6A16D3F14996713502DF43 (intptr_t ___ptr0, Type_t * ___structureType1, const RuntimeMethod* method);
// System.String System.Environment::GetResourceString(System.String)
extern "C" IL2CPP_METHOD_ATTR String_t* Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9 (String_t* ___key0, const RuntimeMethod* method);
// System.Void System.InvalidOperationException::.ctor(System.String)
extern "C" IL2CPP_METHOD_ATTR void InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706 (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * __this, String_t* ___message0, const RuntimeMethod* method);
// System.Void System.IntPtr::.ctor(System.Void*)
extern "C" IL2CPP_METHOD_ATTR void IntPtr__ctor_m6360250F4B87C6AE2F0389DA0DEE1983EED73FB6 (intptr_t* __this, void* p0, const RuntimeMethod* method);
// System.Void UnityEngine.Component::GetComponentFastPath(System.Type,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void Component_GetComponentFastPath_mDEB49C6B56084E436C7FC3D555339FA16949937E (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, Type_t * ___type0, intptr_t ___oneFurtherThanResultValue1, const RuntimeMethod* method);
// UnityEngine.ScriptableObject UnityEngine.ScriptableObject::CreateInstance(System.Type)
extern "C" IL2CPP_METHOD_ATTR ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * ScriptableObject_CreateInstance_mDC77B7257A5E276CB272D3475B9B473B23A7128D (Type_t * ___type0, const RuntimeMethod* method);
// System.Void System.IO.__Error::WrongAsyncResult()
extern "C" IL2CPP_METHOD_ATTR void __Error_WrongAsyncResult_m612D2B72EAE5B009FFB4DFD0831140EE6819B909 (const RuntimeMethod* method);
// TResult System.Runtime.CompilerServices.TaskAwaiter`1<System.Int32>::GetResult()
inline int32_t TaskAwaiter_1_GetResult_m0E9661BE4684BA278EE9C6A4EE23FF62AEC86FB9 (TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 * __this, const RuntimeMethod* method)
{
return (( int32_t (*) (TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 *, const RuntimeMethod*))TaskAwaiter_1_GetResult_m0E9661BE4684BA278EE9C6A4EE23FF62AEC86FB9_gshared)(__this, method);
}
// TResult System.Runtime.CompilerServices.TaskAwaiter`1<System.Object>::GetResult()
inline RuntimeObject * TaskAwaiter_1_GetResult_m9E148849CD4747E1BDD831E4FB2D7ECFA13C11C8 (TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 * __this, const RuntimeMethod* method)
{
return (( RuntimeObject * (*) (TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 *, const RuntimeMethod*))TaskAwaiter_1_GetResult_m9E148849CD4747E1BDD831E4FB2D7ECFA13C11C8_gshared)(__this, method);
}
// System.Exception System.Linq.Error::ArgumentNull(System.String)
extern "C" IL2CPP_METHOD_ATTR Exception_t * Error_ArgumentNull_mCA126ED8F4F3B343A70E201C44B3A509690F1EA7 (String_t* ___s0, const RuntimeMethod* method);
// System.Exception System.Linq.Error::MoreThanOneMatch()
extern "C" IL2CPP_METHOD_ATTR Exception_t * Error_MoreThanOneMatch_m85C3617F782E9F2333FC1FDF42821BE069F24623 (const RuntimeMethod* method);
// System.Int32 System.Math::Min(System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Math_Min_mC950438198519FB2B0260FCB91220847EE4BB525 (int32_t ___val10, int32_t ___val21, const RuntimeMethod* method);
// System.Void System.Array::Sort<System.Object>(T[])
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisRuntimeObject_mC4AFA8D97E59C08C4C94EB060C4ED84320F4706D_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisRuntimeObject_mC4AFA8D97E59C08C4C94EB060C4ED84320F4706D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisRuntimeObject_mC4AFA8D97E59C08C4C94EB060C4ED84320F4706D_RuntimeMethod_var);
}
IL_000e:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = ___array0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = ___array0;
NullCheck(L_3);
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2, (int32_t)0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_3)->max_length)))), (RuntimeObject*)NULL, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
// System.Void System.Array::Sort<System.Object>(T[],System.Collections.Generic.IComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisRuntimeObject_mED3D48E90CD58FFF5C73368CADA29CC7FD576AE7_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject* ___comparer1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisRuntimeObject_mED3D48E90CD58FFF5C73368CADA29CC7FD576AE7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisRuntimeObject_mED3D48E90CD58FFF5C73368CADA29CC7FD576AE7_RuntimeMethod_var);
}
IL_000e:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = ___array0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = ___array0;
NullCheck(L_3);
RuntimeObject* L_4 = ___comparer1;
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2, (int32_t)0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_3)->max_length)))), (RuntimeObject*)L_4, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
// System.Void System.Array::Sort<System.Object>(T[],System.Comparison`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 * ___comparison1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_RuntimeMethod_var);
}
IL_000e:
{
Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 * L_2 = ___comparison1;
if (L_2)
{
goto IL_001c;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, (String_t*)_stringLiteral4D04521B659A980378EBB5BDA98BC5D6300C89C8, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Array_Sort_TisRuntimeObject_m3AA2F7B263760307FE3687786E487CF405182428_RuntimeMethod_var);
}
IL_001c:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___array0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = ___array0;
NullCheck(L_5);
Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 * L_6 = ___comparison1;
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_4, (int32_t)0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_5)->max_length)))), (Comparison_1_tD9DBDF7B2E4774B4D35E113A76D75828A24641F4 *)L_6, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
// System.Void System.Array::Sort<System.Object>(T[],System.Int32,System.Int32)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisRuntimeObject_mF0F0EA3DAC1A5207A7C9513D19AA37404E05DA53_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___index1, int32_t ___length2, const RuntimeMethod* method)
{
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
int32_t L_1 = ___index1;
int32_t L_2 = ___length2;
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_0, (int32_t)L_1, (int32_t)L_2, (RuntimeObject*)NULL, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
// System.Void System.Array::Sort<System.Object>(T[],System.Int32,System.Int32,System.Collections.Generic.IComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___index1, int32_t ___length2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* G_B7_0 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_RuntimeMethod_var);
}
IL_000e:
{
int32_t L_2 = ___index1;
if ((((int32_t)L_2) < ((int32_t)0)))
{
goto IL_0016;
}
}
{
int32_t L_3 = ___length2;
if ((((int32_t)L_3) >= ((int32_t)0)))
{
goto IL_0031;
}
}
IL_0016:
{
int32_t L_4 = ___length2;
if ((((int32_t)L_4) < ((int32_t)0)))
{
goto IL_0021;
}
}
{
G_B7_0 = _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
goto IL_0026;
}
IL_0021:
{
G_B7_0 = _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
}
IL_0026:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_5 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_5, (String_t*)G_B7_0, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_RuntimeMethod_var);
}
IL_0031:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = ___array0;
NullCheck(L_6);
int32_t L_7 = ___index1;
int32_t L_8 = ___length2;
if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))), (int32_t)L_7))) >= ((int32_t)L_8)))
{
goto IL_0044;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_9 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_9, (String_t*)_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, NULL, Array_Sort_TisRuntimeObject_m9A9018879D6BEDC8F388D45B107A2457101AA4F0_RuntimeMethod_var);
}
IL_0044:
{
int32_t L_10 = ___length2;
if ((((int32_t)L_10) <= ((int32_t)1)))
{
goto IL_0051;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = ___array0;
int32_t L_12 = ___index1;
int32_t L_13 = ___length2;
RuntimeObject* L_14 = ___comparer3;
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_11, (int32_t)L_12, (int32_t)L_13, (RuntimeObject*)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
}
IL_0051:
{
return;
}
}
// System.Void System.Array::Sort<System.UInt64,System.Object>(TKey[],TValue[],System.Collections.Generic.IComparer`1<TKey>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_m576D13AEC7245A3AD8E7A5BF192F68C522E5CB85_gshared (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___keys0, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___items1, RuntimeObject* ___comparer2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_m576D13AEC7245A3AD8E7A5BF192F68C522E5CB85_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_0 = ___keys0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral5944AE25418CEABCF285DCA1D721B77888DAC89B, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_m576D13AEC7245A3AD8E7A5BF192F68C522E5CB85_RuntimeMethod_var);
}
IL_000e:
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_2 = ___keys0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = ___items1;
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_4 = ___keys0;
NullCheck(L_4);
RuntimeObject* L_5 = ___comparer2;
(( void (*) (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*)L_2, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_3, (int32_t)0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_4)->max_length)))), (RuntimeObject*)L_5, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
// System.Void System.Array::Sort<System.UInt64,System.Object>(TKey[],TValue[],System.Int32,System.Int32,System.Collections.Generic.IComparer`1<TKey>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_gshared (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___keys0, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___items1, int32_t ___index2, int32_t ___length3, RuntimeObject* ___comparer4, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* G_B7_0 = NULL;
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_0 = ___keys0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral5944AE25418CEABCF285DCA1D721B77888DAC89B, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_RuntimeMethod_var);
}
IL_000e:
{
int32_t L_2 = ___index2;
if ((((int32_t)L_2) < ((int32_t)0)))
{
goto IL_0016;
}
}
{
int32_t L_3 = ___length3;
if ((((int32_t)L_3) >= ((int32_t)0)))
{
goto IL_0031;
}
}
IL_0016:
{
int32_t L_4 = ___length3;
if ((((int32_t)L_4) < ((int32_t)0)))
{
goto IL_0021;
}
}
{
G_B7_0 = _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
goto IL_0026;
}
IL_0021:
{
G_B7_0 = _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
}
IL_0026:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_5 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_5, (String_t*)G_B7_0, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_RuntimeMethod_var);
}
IL_0031:
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_6 = ___keys0;
NullCheck(L_6);
int32_t L_7 = ___index2;
int32_t L_8 = ___length3;
if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))), (int32_t)L_7))) < ((int32_t)L_8)))
{
goto IL_0044;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = ___items1;
if (!L_9)
{
goto IL_004f;
}
}
{
int32_t L_10 = ___index2;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = ___items1;
NullCheck(L_11);
int32_t L_12 = ___length3;
if ((((int32_t)L_10) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_11)->max_length)))), (int32_t)L_12)))))
{
goto IL_004f;
}
}
IL_0044:
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_13 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_13, (String_t*)_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_13, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_TisRuntimeObject_mE73075C8B66C16434736320BEFCC3B03EA325A64_RuntimeMethod_var);
}
IL_004f:
{
int32_t L_14 = ___length3;
if ((((int32_t)L_14) <= ((int32_t)1)))
{
goto IL_0071;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = ___items1;
if (L_15)
{
goto IL_0061;
}
}
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_16 = ___keys0;
int32_t L_17 = ___index2;
int32_t L_18 = ___length3;
RuntimeObject* L_19 = ___comparer4;
(( void (*) (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*)L_16, (int32_t)L_17, (int32_t)L_18, (RuntimeObject*)L_19, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
IL_0061:
{
ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 * L_20 = (( ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1));
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_21 = ___keys0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_22 = ___items1;
int32_t L_23 = ___index2;
int32_t L_24 = ___length3;
RuntimeObject* L_25 = ___comparer4;
NullCheck((ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 *)L_20);
(( void (*) (ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 *, UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 3)->methodPointer)((ArraySortHelper_2_t2FF12471052A6F38EFFD02AD4037EB23260332A5 *)L_20, (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*)L_21, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_22, (int32_t)L_23, (int32_t)L_24, (RuntimeObject*)L_25, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 3));
}
IL_0071:
{
return;
}
}
// System.Void System.Array::Sort<System.UInt64>(T[],System.Int32,System.Int32,System.Collections.Generic.IComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_gshared (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___array0, int32_t ___index1, int32_t ___length2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* G_B7_0 = NULL;
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_RuntimeMethod_var);
}
IL_000e:
{
int32_t L_2 = ___index1;
if ((((int32_t)L_2) < ((int32_t)0)))
{
goto IL_0016;
}
}
{
int32_t L_3 = ___length2;
if ((((int32_t)L_3) >= ((int32_t)0)))
{
goto IL_0031;
}
}
IL_0016:
{
int32_t L_4 = ___length2;
if ((((int32_t)L_4) < ((int32_t)0)))
{
goto IL_0021;
}
}
{
G_B7_0 = _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
goto IL_0026;
}
IL_0021:
{
G_B7_0 = _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
}
IL_0026:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_5 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_5, (String_t*)G_B7_0, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_RuntimeMethod_var);
}
IL_0031:
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_6 = ___array0;
NullCheck(L_6);
int32_t L_7 = ___index1;
int32_t L_8 = ___length2;
if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))), (int32_t)L_7))) >= ((int32_t)L_8)))
{
goto IL_0044;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_9 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_9, (String_t*)_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, NULL, Array_Sort_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_mC5A7D8C4873A2989FEECBEB2C241F53973DCA752_RuntimeMethod_var);
}
IL_0044:
{
int32_t L_10 = ___length2;
if ((((int32_t)L_10) <= ((int32_t)1)))
{
goto IL_0051;
}
}
{
UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_11 = ___array0;
int32_t L_12 = ___index1;
int32_t L_13 = ___length2;
RuntimeObject* L_14 = ___comparer3;
(( void (*) (UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4*)L_11, (int32_t)L_12, (int32_t)L_13, (RuntimeObject*)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
}
IL_0051:
{
return;
}
}
// System.Void System.Array::Sort<UnityEngine.BeforeRenderHelper_OrderBlock>(T[],System.Int32,System.Int32,System.Collections.Generic.IComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_gshared (OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* ___array0, int32_t ___index1, int32_t ___length2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* G_B7_0 = NULL;
{
OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_RuntimeMethod_var);
}
IL_000e:
{
int32_t L_2 = ___index1;
if ((((int32_t)L_2) < ((int32_t)0)))
{
goto IL_0016;
}
}
{
int32_t L_3 = ___length2;
if ((((int32_t)L_3) >= ((int32_t)0)))
{
goto IL_0031;
}
}
IL_0016:
{
int32_t L_4 = ___length2;
if ((((int32_t)L_4) < ((int32_t)0)))
{
goto IL_0021;
}
}
{
G_B7_0 = _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
goto IL_0026;
}
IL_0021:
{
G_B7_0 = _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
}
IL_0026:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_5 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_5, (String_t*)G_B7_0, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_RuntimeMethod_var);
}
IL_0031:
{
OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_6 = ___array0;
NullCheck(L_6);
int32_t L_7 = ___index1;
int32_t L_8 = ___length2;
if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))), (int32_t)L_7))) >= ((int32_t)L_8)))
{
goto IL_0044;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_9 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_9, (String_t*)_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, NULL, Array_Sort_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m76235C23027A91405191FEAB478977121381B728_RuntimeMethod_var);
}
IL_0044:
{
int32_t L_10 = ___length2;
if ((((int32_t)L_10) <= ((int32_t)1)))
{
goto IL_0051;
}
}
{
OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_11 = ___array0;
int32_t L_12 = ___index1;
int32_t L_13 = ___length2;
RuntimeObject* L_14 = ___comparer3;
(( void (*) (OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101*)L_11, (int32_t)L_12, (int32_t)L_13, (RuntimeObject*)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
}
IL_0051:
{
return;
}
}
// System.Void System.Array::Sort<UnityEngine.UnitySynchronizationContext_WorkRequest>(T[],System.Int32,System.Int32,System.Collections.Generic.IComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_gshared (WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ___array0, int32_t ___index1, int32_t ___length2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
String_t* G_B7_0 = NULL;
{
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_RuntimeMethod_var);
}
IL_000e:
{
int32_t L_2 = ___index1;
if ((((int32_t)L_2) < ((int32_t)0)))
{
goto IL_0016;
}
}
{
int32_t L_3 = ___length2;
if ((((int32_t)L_3) >= ((int32_t)0)))
{
goto IL_0031;
}
}
IL_0016:
{
int32_t L_4 = ___length2;
if ((((int32_t)L_4) < ((int32_t)0)))
{
goto IL_0021;
}
}
{
G_B7_0 = _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346;
goto IL_0026;
}
IL_0021:
{
G_B7_0 = _stringLiteral3D54973F528B01019A58A52D34D518405A01B891;
}
IL_0026:
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_5 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m300CE4D04A068C209FD858101AC361C1B600B5AE(L_5, (String_t*)G_B7_0, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_5, NULL, Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_RuntimeMethod_var);
}
IL_0031:
{
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_6 = ___array0;
NullCheck(L_6);
int32_t L_7 = ___index1;
int32_t L_8 = ___length2;
if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))), (int32_t)L_7))) >= ((int32_t)L_8)))
{
goto IL_0044;
}
}
{
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_9 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_9, (String_t*)_stringLiteral063F5BA07B9A8319201C127A47193BF92C67599A, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_9, NULL, Array_Sort_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m8637B45A1A2795D4E9B4C17D5AB66D23385A6F0A_RuntimeMethod_var);
}
IL_0044:
{
int32_t L_10 = ___length2;
if ((((int32_t)L_10) <= ((int32_t)1)))
{
goto IL_0051;
}
}
{
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_11 = ___array0;
int32_t L_12 = ___index1;
int32_t L_13 = ___length2;
RuntimeObject* L_14 = ___comparer3;
(( void (*) (WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0*, int32_t, int32_t, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0*)L_11, (int32_t)L_12, (int32_t)L_13, (RuntimeObject*)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
}
IL_0051:
{
return;
}
}
// System.Void System.Array::UnsafeStore<System.Object>(T[],System.Int32,T)
extern "C" IL2CPP_METHOD_ATTR void Array_UnsafeStore_TisRuntimeObject_mDB69CC505F2580F39EBFBFB4E69ED26E2B2BEBED_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___index1, RuntimeObject * ___value2, const RuntimeMethod* method)
{
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
int32_t L_1 = ___index1;
RuntimeObject * L_2 = ___value2;
NullCheck(L_0);
(L_0)->SetAt(static_cast<il2cpp_array_size_t>(L_1), (RuntimeObject *)L_2);
return;
}
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * L_0 = (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this->get_address_of_m_builder_1();
RuntimeObject ** L_1 = ___awaiter0;
RuntimeObject ** L_2 = ___stateMachine1;
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)L_0, (RuntimeObject **)(RuntimeObject **)L_1, (RuntimeObject **)(RuntimeObject **)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
extern "C" void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904_AdjustorThunk (RuntimeObject * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_mFDF28F1DB6E56D43B9A927D285F16CDABD8FF904(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * L_0 = (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this->get_address_of_m_builder_1();
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * L_1 = ___awaiter0;
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * L_2 = ___stateMachine1;
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)L_0, (ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)L_1, (U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
extern "C" void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m00FD9615EAA4D3E47C70D097B61431C2A1965520(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method)
{
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * L_0 = (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this->get_address_of_m_builder_1();
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * L_1 = ___awaiter0;
U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * L_2 = ___stateMachine1;
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)L_0, (ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)L_1, (U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *)(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
extern "C" void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mFD398737DB235705CD93D5EBA8FF31DDF273D6A5(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * L_0 = (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this->get_address_of_m_builder_1();
ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * L_1 = ___awaiter0;
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * L_2 = ___stateMachine1;
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)L_0, (ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 *)(ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 *)L_1, (U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return;
}
}
extern "C" void AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mFAAE60A8CEF35B2FFAAC5B0CFC0E04A24F309821(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * L_2 = ___stateMachine0;
U3CProcessOperationU3Ed__24_MoveNext_m8B20266FC4831A26E691F83D54C6903CF264999D((U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69_AdjustorThunk (RuntimeObject * __this, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_Start_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_mE4E7D5465A93C56B5F17EB43FD2AF11AF3597A69(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * L_2 = ___stateMachine0;
U3CInnerWriteU3Ed__67_MoveNext_mD7A964B6974275AD771AB15475A775E3393EE542((U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *)(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9_AdjustorThunk (RuntimeObject * __this, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_Start_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_m04E42D96056940C94B4AC023C0851B1EF14F14F9(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder::Start<System.Object>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_gshared (AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
RuntimeObject ** L_0 = ___stateMachine0;
if ((*(RuntimeObject **)L_0))
{
goto IL_0018;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
RuntimeObject ** L_2 = ___stateMachine0;
NullCheck((RuntimeObject*)(*L_2));
InterfaceActionInvoker0::Invoke(0 /* System.Void System.Runtime.CompilerServices.IAsyncStateMachine::MoveNext() */, IAsyncStateMachine_tEFDFBE18E061A6065AB2FF735F1425FB59F919BC_il2cpp_TypeInfo_var, (RuntimeObject*)(*L_2));
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11_AdjustorThunk (RuntimeObject * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_t0CD1893D670405BED201BE8CA6F2E811F2C0F487 *>(__this + 1);
AsyncTaskMethodBuilder_Start_TisRuntimeObject_mCA3A6BDBDD10533303CC2A6F4F5F782653F1AE11(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Boolean>,System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66((AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66((AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * L_8 = ___stateMachine1;
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC L_9 = (*(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065 * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t785B9A8BC038067B15BF7BC1343F623CB02FD065_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mD7526A56B41D9BCBD47A0FBF40425033B092ABB5(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Object>,System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66((AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mE71F3C1D2587BE90812781280F0175E9CE14BA66((AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)(AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * L_8 = ___stateMachine1;
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC L_9 = (*(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_tD6131FE3A3A2F1D58DB886B6CF31A2672B75B439 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_mBA0B39DAAB8A47038BC4E627109D0CC08E3DEC12(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>::Start<System.Threading.SemaphoreSlim_<WaitUntilCountOrTimeoutAsync>d__31>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_gshared (AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * __this, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * L_2 = ___stateMachine0;
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_MoveNext_m1982400CBDD4DB67FE38119302F2B707992C1EAA((U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *)(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966_AdjustorThunk (RuntimeObject * __this, U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t37B8301A93B487253B9622D00C44195BE042E4BE *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisU3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t9D784C9583154361C14A89915B798CDE652CF3AC_m579B20DF6B7062270FE8F1A11AADC69A0D6EE966(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_2 = AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2((AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_6 = AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2((AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * L_8 = ___stateMachine1;
U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB L_9 = (*(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_m27EC0547CE146B1E82C108C283D1DAD2AEF81083(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Object>,Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_2 = AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2((AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_6 = AsyncTaskMethodBuilder_1_get_Task_m939AAFF5841821CC09C627DCDEB2DFD5B933DFC2((AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)(AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * L_8 = ___stateMachine1;
U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 L_9 = (*(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E * ___awaiter0, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tFB3C4197768C6CF02BE088F703AA6E46D703D46E_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_mB6158F07BDA3F4D4DFB299A8E235E405DAB18C74(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream_<InnerRead>d__66>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * L_2 = ___stateMachine0;
U3CInnerReadU3Ed__66_MoveNext_mDF4D1A1689C7CC5B3E42580E12BA513E31959F96((U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB *)(U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4_AdjustorThunk (RuntimeObject * __this, U3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__66_tA027A607C6D5A6367A04D2DCAF5FCBB66E6B5CAB_mD28BD96B617BE0AE227EDF31AE26EED9D391C2D4(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Int32>::Start<Mono.Net.Security.MobileAuthenticatedStream_<StartOperation>d__58>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_gshared (AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * __this, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * L_2 = ___stateMachine0;
U3CStartOperationU3Ed__58_MoveNext_m8484CAD90FCBB0E2C0D16FFA928EF43362834466((U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 *)(U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8_AdjustorThunk (RuntimeObject * __this, U3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1 * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t822D24686214CB8B967C66DA507CD66A5C853079 *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__58_t9CFBEC306AEE875FF526F77EF660D0493F475BB1_m86EE112E3DDD51CBC6A0F57A35AC3919A128BCB8(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Int32>,Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_gshared (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t8906695C9865566AA79419735634FF27AC74506E * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t8906695C9865566AA79419735634FF27AC74506E * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t8906695C9865566AA79419735634FF27AC74506E *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t8906695C9865566AA79419735634FF27AC74506E * L_2 = AsyncTaskMethodBuilder_1_get_Task_m35C5C2BA1998F89CDCED8166BAE477A591FAB101((AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *)(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t8906695C9865566AA79419735634FF27AC74506E * L_6 = AsyncTaskMethodBuilder_1_get_Task_m35C5C2BA1998F89CDCED8166BAE477A591FAB101((AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *)(AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t8906695C9865566AA79419735634FF27AC74506E *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * L_8 = ___stateMachine1;
U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E L_9 = (*(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t8906695C9865566AA79419735634FF27AC74506E * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E * ___awaiter0, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t18D0589F789FFE82A30A223888FB7C5BED32C63E_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m8A995342D50B0ABAA2E3EE6CBA355484259E4CF5(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Nullable`1<System.Int32>>::Start<Mono.Net.Security.AsyncProtocolRequest_<InnerRead>d__25>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_gshared (AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * __this, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * L_2 = ___stateMachine0;
U3CInnerReadU3Ed__25_MoveNext_m4AD149EC4A2E6FDA803D63FB72A354300DBD3D0D((U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E *)(U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659_AdjustorThunk (RuntimeObject * __this, U3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_tADDA4A1D7E8E45B9C6AC65AF43C5868605F74865 *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisU3CInnerReadU3Ed__25_tCE25EDB99323C3358577085230EE086DE0CADA5E_m76073D93DA6947C4B0CF9D9C6BF57526F674D659(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_2 = AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA((AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_6 = AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA((AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject ** L_8 = ___stateMachine1;
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_9 = V_0;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_10 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)(*(RuntimeObject **)L_8), (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_9, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_10, /*hidden argument*/NULL);
}
IL_004c:
{
RuntimeObject ** L_11 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_12 = V_1;
NullCheck((RuntimeObject*)(*L_11));
InterfaceActionInvoker1< Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * >::Invoke(0 /* System.Void System.Runtime.CompilerServices.ICriticalNotifyCompletion::UnsafeOnCompleted(System.Action) */, ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var, (RuntimeObject*)(*L_11), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_12);
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857_AdjustorThunk (RuntimeObject * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m4A260B0F5E9E28F9737E90AD3D323E2AAE5E3857(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_2 = AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA((AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_6 = AsyncTaskMethodBuilder_1_get_Task_m19C5664D70C4FC799BEFB8D0FC98E687F97059FA((AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)(AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * L_8 = ___stateMachine1;
U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 L_9 = (*(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
ConfiguredTaskAwaiter_UnsafeOnCompleted_mE7338A955A4B573FED1F1271B7BEB567BDFC9C81((ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)L_13, (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/NULL);
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_m16B2ECF2C3A8B0C1A5A7C09FB227849CD6687054(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<Mono.Net.Security.AsyncProtocolRequest_<StartOperation>d__23>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
goto IL_0018;
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * L_2 = ___stateMachine0;
U3CStartOperationU3Ed__23_MoveNext_m8BB4BB3D517CE898003C10FE5B80D375FA4D30A2((U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 *)(U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 *)L_2, /*hidden argument*/NULL);
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780_AdjustorThunk (RuntimeObject * __this, U3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9 * ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisU3CStartOperationU3Ed__23_tF07DD38BEEE955EB5B1359B816079584899DDEC9_mA55AABD80D5893D94172768FC8CF1570EBF17780(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Object>::Start<System.Object>(TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_gshared (AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 V_0;
memset(&V_0, 0, sizeof(V_0));
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
RuntimeObject ** L_0 = ___stateMachine0;
if ((*(RuntimeObject **)L_0))
{
goto IL_0018;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral1C8728773F47B06B3495EFEE77C3BE7FB67037E3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_RuntimeMethod_var);
}
IL_0018:
{
il2cpp_codegen_initobj((&V_0), sizeof(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 ));
RuntimeHelpers_PrepareConstrainedRegions_m108F0650C70D15D3CC657AFEBA8E69770EDB9027(/*hidden argument*/NULL);
}
IL_0025:
try
{ // begin try (depth: 1)
IL2CPP_RUNTIME_CLASS_INIT(ExecutionContext_t0E11C30308A4CC964D8A2EA9132F9BDCE5362C70_il2cpp_TypeInfo_var);
ExecutionContext_EstablishCopyOnWriteScope_mCB6F76C243352732B36223FBE3EB97653CDA39C1((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
RuntimeObject ** L_2 = ___stateMachine0;
NullCheck((RuntimeObject*)(*L_2));
InterfaceActionInvoker0::Invoke(0 /* System.Void System.Runtime.CompilerServices.IAsyncStateMachine::MoveNext() */, IAsyncStateMachine_tEFDFBE18E061A6065AB2FF735F1425FB59F919BC_il2cpp_TypeInfo_var, (RuntimeObject*)(*L_2));
IL2CPP_LEAVE(0x42, FINALLY_003a);
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_003a;
}
FINALLY_003a:
{ // begin finally (depth: 1)
ExecutionContextSwitcher_Undo_m4E0A7D83FDA7AFD4ACD574E89A57AB46A038C57E((ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(ExecutionContextSwitcher_t739C861A327D724A4E59DE865463B32097395159 *)(&V_0), /*hidden argument*/NULL);
IL2CPP_RESET_LEAVE(0x42);
IL2CPP_END_FINALLY(58)
} // end finally (depth: 1)
IL2CPP_CLEANUP(58)
{
IL2CPP_JUMP_TBL(0x42, IL_0042)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_0042:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8_AdjustorThunk (RuntimeObject * __this, RuntimeObject ** ___stateMachine0, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t2A9513A084F4B19851B91EF1F22BB57776D35663 *>(__this + 1);
AsyncTaskMethodBuilder_1_Start_TisRuntimeObject_mE914B333E94049237CDEE7870C40CECB48CCB0C8(_thisAdjusted, ___stateMachine0, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Object,System.Object>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject ** L_8 = ___stateMachine1;
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_9 = V_0;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_10 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)(*(RuntimeObject **)L_8), (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_9, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_10, /*hidden argument*/NULL);
}
IL_004c:
{
RuntimeObject ** L_11 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_12 = V_1;
NullCheck((RuntimeObject*)(*L_11));
InterfaceActionInvoker1< Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * >::Invoke(0 /* System.Void System.Runtime.CompilerServices.ICriticalNotifyCompletion::UnsafeOnCompleted(System.Action) */, ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var, (RuntimeObject*)(*L_11), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_12);
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87_AdjustorThunk (RuntimeObject * __this, RuntimeObject ** ___awaiter0, RuntimeObject ** ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisRuntimeObject_TisRuntimeObject_m568E7BE7B3CD74EE3B357610FC57C7562046AE87(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter,Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * L_8 = ___stateMachine1;
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA L_9 = (*(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
ConfiguredTaskAwaiter_UnsafeOnCompleted_mE7338A955A4B573FED1F1271B7BEB567BDFC9C81((ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)L_13, (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/NULL);
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m1FF9E821EB16419A37C48B48779760E2CFE3491B(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable_ConfiguredTaskAwaiter,Mono.Net.Security.MobileAuthenticatedStream_<InnerWrite>d__67>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * L_8 = ___stateMachine1;
U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 L_9 = (*(U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
ConfiguredTaskAwaiter_UnsafeOnCompleted_mE7338A955A4B573FED1F1271B7BEB567BDFC9C81((ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)(ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 *)L_13, (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/NULL);
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874 * ___awaiter0, U3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43 * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_tF1AAA16B8A1250CA037E32157A3424CD2BA47874_TisU3CInnerWriteU3Ed__67_tCEBE4678B01EBC181A242F16C978B7A71367AF43_mBAE1ABE98EE3B24F15EA19C2B24FE922EE0990CF(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Threading.Tasks.VoidTaskResult>::AwaitUnsafeOnCompleted<System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1_ConfiguredTaskAwaiter<System.Nullable`1<System.Int32>>,Mono.Net.Security.AsyncProtocolRequest_<ProcessOperation>d__24>(TAwaiterU26,TStateMachineU26)
extern "C" IL2CPP_METHOD_ATTR void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_gshared (AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * V_0 = NULL;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * V_1 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * V_2 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B2_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B1_0 = NULL;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * G_B3_0 = NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * G_B3_1 = NULL;
IL_0000:
try
{ // begin try (depth: 1)
{
V_0 = (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)NULL;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_0 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
bool L_1 = AsyncCausalityTracer_get_LoggingOn_m1A633E7FCD4DF7D870FFF917FDCDBEDAF24725B7(/*hidden argument*/NULL);
G_B1_0 = L_0;
if (L_1)
{
G_B2_0 = L_0;
goto IL_0012;
}
}
IL_000f:
{
G_B3_0 = ((Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)(NULL));
G_B3_1 = G_B1_0;
goto IL_0018;
}
IL_0012:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_2 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
G_B3_0 = L_2;
G_B3_1 = G_B2_0;
}
IL_0018:
{
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_3 = AsyncMethodBuilderCore_GetCompletionAction_mB3B95AFDC67BFA14476429E35225C7221256DB6B((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)G_B3_1, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)G_B3_0, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A **)(&V_0), /*hidden argument*/NULL);
V_1 = (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_3;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_4 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
RuntimeObject* L_5 = (RuntimeObject*)L_4->get_m_stateMachine_0();
if (L_5)
{
goto IL_004c;
}
}
IL_002d:
{
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_6 = AsyncTaskMethodBuilder_1_get_Task_mB90A654E7FBAE31DB64597AA0B3B5ED3712E2966((AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)(AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0));
V_2 = (Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 *)L_6;
AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 * L_7 = (AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)__this->get_address_of_m_coreState_1();
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * L_8 = ___stateMachine1;
U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA L_9 = (*(U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA *)L_8);
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), &L_9);
MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A * L_11 = V_0;
Task_1_t1359D75350E9D976BFA28AD96E417450DE277673 * L_12 = V_2;
AsyncMethodBuilderCore_PostBoxInitialization_mE935AC678191E0DD24290C8E986645E81BA18387((AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)(AsyncMethodBuilderCore_t4CE6C1E4B0621A6EC45CF6E0E8F1F633FFF9FF01 *)L_7, (RuntimeObject*)L_10, (MoveNextRunner_t6A0B9DE31628DAC797ABC84945D4C62B07C3E65A *)L_11, (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_12, /*hidden argument*/NULL);
}
IL_004c:
{
ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * L_13 = ___awaiter0;
Action_t591D2A86165F896B4B800BB5C25CE18672A55579 * L_14 = V_1;
Il2CppFakeBox<ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 > L_15(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), L_13);
const VirtualInvokeData& il2cpp_virtual_invoke_data__84 = il2cpp_codegen_get_interface_invoke_data(0, (&L_15), ICriticalNotifyCompletion_t900D01E49054C9C73107B6FF48FB5B1F39832A8A_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject*, Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *, const RuntimeMethod*))il2cpp_virtual_invoke_data__84.methodPtr)((RuntimeObject*)(&L_15), (Action_t591D2A86165F896B4B800BB5C25CE18672A55579 *)L_14, /*hidden argument*/il2cpp_virtual_invoke_data__84.method);
*L_13 = L_15.m_Value;
goto IL_0063;
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__exception_local = (Exception_t *)e.ex;
if(il2cpp_codegen_class_is_assignable_from (Exception_t_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex)))
goto CATCH_005b;
throw e;
}
CATCH_005b:
{ // begin catch(System.Exception)
AsyncMethodBuilderCore_ThrowAsync_m8E0BCAB5F06B0BCA2E34472B66754461FA188F31((Exception_t *)((Exception_t *)__exception_local), (SynchronizationContext_t06AEFE2C7CFCFC242D0A5729A74464AF18CF84E7 *)NULL, /*hidden argument*/NULL);
goto IL_0063;
} // end catch (depth: 1)
IL_0063:
{
return;
}
}
extern "C" void AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E_AdjustorThunk (RuntimeObject * __this, ConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740 * ___awaiter0, U3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA * ___stateMachine1, const RuntimeMethod* method)
{
AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 * _thisAdjusted = reinterpret_cast<AsyncTaskMethodBuilder_1_t66ED1808B26B8081A2804D6A750D13386E360BD9 *>(__this + 1);
AsyncTaskMethodBuilder_1_AwaitUnsafeOnCompleted_TisConfiguredTaskAwaiter_t7DF2E84988582301369783F2ECA65B4F26D5A740_TisU3CProcessOperationU3Ed__24_t969904EA513B205F08A3ED1624FE3890853645AA_m680C446621601DB2080CAC5EADE8C39A6931818E(_thisAdjusted, ___awaiter0, ___stateMachine1, method);
}
// System.Void System.Runtime.InteropServices.Marshal::StructureToPtr<System.Object>(T,System.IntPtr,System.Boolean)
extern "C" IL2CPP_METHOD_ATTR void Marshal_StructureToPtr_TisRuntimeObject_m20EFFD65B4857CBDE07FE795E1918763FD51E8AE_gshared (RuntimeObject * ___structure0, intptr_t ___ptr1, bool ___fDeleteOld2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Marshal_StructureToPtr_TisRuntimeObject_m20EFFD65B4857CBDE07FE795E1918763FD51E8AE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___structure0;
intptr_t L_1 = ___ptr1;
bool L_2 = ___fDeleteOld2;
IL2CPP_RUNTIME_CLASS_INIT(Marshal_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_il2cpp_TypeInfo_var);
Marshal_StructureToPtr_mC50C72193EC3C321AFB48C3AE9799D80CF5E56C5((RuntimeObject *)L_0, (intptr_t)L_1, (bool)L_2, /*hidden argument*/NULL);
return;
}
}
// System.Void System.Threading.Volatile::Write<System.Object>(TU26,T)
extern "C" IL2CPP_METHOD_ATTR void Volatile_Write_TisRuntimeObject_m9D1527BC5F4B4E688321C84450634DA2A344B3E1_gshared (RuntimeObject ** ___location0, RuntimeObject * ___value1, const RuntimeMethod* method)
{
VolatileWrite(___location0, ___value1);
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m095ABCC5A710A0189E861950935D15BA5EFF2D75_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B V_0;
memset(&V_0, 0, sizeof(V_0));
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B ));
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<System.Int32>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m50F287E1A648B5FC715D538B1B605C314346DBD5_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(int32_t));
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<System.Int32Enum>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD3615D5EB6A6F2F1E824673863623E582EFF3C60_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
int32_t V_0 = 0;
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(int32_t));
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<System.Object>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisRuntimeObject_mFACD998215BEE178F202D612A87425388523B5F9_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
RuntimeObject * V_0 = NULL;
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(RuntimeObject *));
RuntimeObject * L_1 = V_0;
if (!L_1)
{
goto IL_0019;
}
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<UnityEngine.BeforeRenderHelper_OrderBlock>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD92E6992D5C3E1E6B2B0B86260E2355B71BC858B_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 V_0;
memset(&V_0, 0, sizeof(V_0));
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 ));
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void System.ThrowHelper::IfNullAndNullsAreIllegalThenThrow<UnityEngine.UnitySynchronizationContext_WorkRequest>(System.Object,System.ExceptionArgument)
extern "C" IL2CPP_METHOD_ATTR void ThrowHelper_IfNullAndNullsAreIllegalThenThrow_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_m74ED9FAB16B4FB1B66887535D27C952360A6992F_gshared (RuntimeObject * ___value0, int32_t ___argName1, const RuntimeMethod* method)
{
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 V_0;
memset(&V_0, 0, sizeof(V_0));
{
RuntimeObject * L_0 = ___value0;
if (L_0)
{
goto IL_0019;
}
}
{
il2cpp_codegen_initobj((&V_0), sizeof(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 ));
}
{
int32_t L_2 = ___argName1;
ThrowHelper_ThrowArgumentNullException_m4A3AE1D7B45B9E589828B500895B18D7E6A2740E((int32_t)L_2, /*hidden argument*/NULL);
}
IL_0019:
{
return;
}
}
// System.Void UnityEngine.Assertions.Assert::AreEqual<System.Int32>(T,T,System.String)
extern "C" IL2CPP_METHOD_ATTR void Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m93A2791A7ACB2E54E08F096A025BA23220E0BF4A_gshared (int32_t ___expected0, int32_t ___actual1, String_t* ___message2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m93A2791A7ACB2E54E08F096A025BA23220E0BF4A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
int32_t L_0 = ___expected0;
int32_t L_1 = ___actual1;
String_t* L_2 = ___message2;
EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 * L_3 = (( EqualityComparer_1_tF7174A8BEF4C636DBBD3C6BBD234B0F315F64F33 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
(( void (*) (int32_t, int32_t, String_t*, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((int32_t)L_0, (int32_t)L_1, (String_t*)L_2, (RuntimeObject*)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
return;
}
}
// System.Void UnityEngine.Assertions.Assert::AreEqual<System.Int32>(T,T,System.String,System.Collections.Generic.IEqualityComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m6AF14E50825729E675564650D23DBE4F3BE3556F_gshared (int32_t ___expected0, int32_t ___actual1, String_t* ___message2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Assert_AreEqual_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m6AF14E50825729E675564650D23DBE4F3BE3556F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_0_0_0_var) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_1 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_0, /*hidden argument*/NULL);
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_2 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
Type_t * L_3 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_2, /*hidden argument*/NULL);
NullCheck((Type_t *)L_1);
bool L_4 = VirtFuncInvoker1< bool, Type_t * >::Invoke(102 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_1, (Type_t *)L_3);
if (!L_4)
{
goto IL_0041;
}
}
{
int32_t L_5 = ___expected0;
int32_t L_6 = L_5;
RuntimeObject * L_7 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), &L_6);
int32_t L_8 = ___actual1;
int32_t L_9 = L_8;
RuntimeObject * L_10 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), &L_9);
String_t* L_11 = ___message2;
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
Assert_AreEqual_mFD46F687B9319093BA13D285D19999C801DC0A60((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)IsInst((RuntimeObject*)L_7, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var)), (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)IsInst((RuntimeObject*)L_10, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var)), (String_t*)L_11, /*hidden argument*/NULL);
goto IL_0066;
}
IL_0041:
{
RuntimeObject* L_12 = ___comparer3;
int32_t L_13 = ___actual1;
int32_t L_14 = ___expected0;
NullCheck((RuntimeObject*)L_12);
bool L_15 = InterfaceFuncInvoker2< bool, int32_t, int32_t >::Invoke(0 /* System.Boolean System.Collections.Generic.IEqualityComparer`1<System.Int32>::Equals(!0,!0) */, IL2CPP_RGCTX_DATA(method->rgctx_data, 2), (RuntimeObject*)L_12, (int32_t)L_13, (int32_t)L_14);
if (L_15)
{
goto IL_0066;
}
}
{
int32_t L_16 = ___actual1;
int32_t L_17 = L_16;
RuntimeObject * L_18 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), &L_17);
int32_t L_19 = ___expected0;
int32_t L_20 = L_19;
RuntimeObject * L_21 = Box(IL2CPP_RGCTX_DATA(method->rgctx_data, 1), &L_20);
String_t* L_22 = AssertionMessageUtil_GetEqualityMessage_mDBD27DDE3A03418E4A2F8DB377AE866F656C812A((RuntimeObject *)L_18, (RuntimeObject *)L_21, (bool)1, /*hidden argument*/NULL);
String_t* L_23 = ___message2;
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
Assert_Fail_m9A3A2A08A2E1D18D0BB7D0C635055839EAA2EF02((String_t*)L_22, (String_t*)L_23, /*hidden argument*/NULL);
}
IL_0066:
{
return;
}
}
// System.Void UnityEngine.Assertions.Assert::AreEqual<System.Object>(T,T,System.String)
extern "C" IL2CPP_METHOD_ATTR void Assert_AreEqual_TisRuntimeObject_m33522FA0E5D7CB4B4A98149053D5BE6834E82FB7_gshared (RuntimeObject * ___expected0, RuntimeObject * ___actual1, String_t* ___message2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Assert_AreEqual_TisRuntimeObject_m33522FA0E5D7CB4B4A98149053D5BE6834E82FB7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___expected0;
RuntimeObject * L_1 = ___actual1;
String_t* L_2 = ___message2;
EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_3 = (( EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
(( void (*) (RuntimeObject *, RuntimeObject *, String_t*, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((RuntimeObject *)L_0, (RuntimeObject *)L_1, (String_t*)L_2, (RuntimeObject*)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
return;
}
}
// System.Void UnityEngine.Assertions.Assert::AreEqual<System.Object>(T,T,System.String,System.Collections.Generic.IEqualityComparer`1<T>)
extern "C" IL2CPP_METHOD_ATTR void Assert_AreEqual_TisRuntimeObject_mAFEF69F8F67E3E349DF5EBF83CD9F899308A04CB_gshared (RuntimeObject * ___expected0, RuntimeObject * ___actual1, String_t* ___message2, RuntimeObject* ___comparer3, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Assert_AreEqual_TisRuntimeObject_mAFEF69F8F67E3E349DF5EBF83CD9F899308A04CB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_0_0_0_var) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_1 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_0, /*hidden argument*/NULL);
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_2 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
Type_t * L_3 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_2, /*hidden argument*/NULL);
NullCheck((Type_t *)L_1);
bool L_4 = VirtFuncInvoker1< bool, Type_t * >::Invoke(102 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_1, (Type_t *)L_3);
if (!L_4)
{
goto IL_0041;
}
}
{
RuntimeObject * L_5 = ___expected0;
RuntimeObject * L_6 = ___actual1;
String_t* L_7 = ___message2;
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
Assert_AreEqual_mFD46F687B9319093BA13D285D19999C801DC0A60((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)IsInst((RuntimeObject*)L_5, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var)), (Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)((Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 *)IsInst((RuntimeObject*)L_6, Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_il2cpp_TypeInfo_var)), (String_t*)L_7, /*hidden argument*/NULL);
goto IL_0066;
}
IL_0041:
{
RuntimeObject* L_8 = ___comparer3;
RuntimeObject * L_9 = ___actual1;
RuntimeObject * L_10 = ___expected0;
NullCheck((RuntimeObject*)L_8);
bool L_11 = InterfaceFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(0 /* System.Boolean System.Collections.Generic.IEqualityComparer`1<System.Object>::Equals(!0,!0) */, IL2CPP_RGCTX_DATA(method->rgctx_data, 2), (RuntimeObject*)L_8, (RuntimeObject *)L_9, (RuntimeObject *)L_10);
if (L_11)
{
goto IL_0066;
}
}
{
RuntimeObject * L_12 = ___actual1;
RuntimeObject * L_13 = ___expected0;
String_t* L_14 = AssertionMessageUtil_GetEqualityMessage_mDBD27DDE3A03418E4A2F8DB377AE866F656C812A((RuntimeObject *)L_12, (RuntimeObject *)L_13, (bool)1, /*hidden argument*/NULL);
String_t* L_15 = ___message2;
IL2CPP_RUNTIME_CLASS_INIT(Assert_t124AD7D2277A352FA54D1E6AAF8AFD5992FD39EC_il2cpp_TypeInfo_var);
Assert_Fail_m9A3A2A08A2E1D18D0BB7D0C635055839EAA2EF02((String_t*)L_14, (String_t*)L_15, /*hidden argument*/NULL);
}
IL_0066:
{
return;
}
}
// System.Void UnityEngine.Events.BaseInvokableCall::ThrowOnInvalidArg<System.Boolean>(System.Object)
extern "C" IL2CPP_METHOD_ATTR void BaseInvokableCall_ThrowOnInvalidArg_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_mCF3D0CC4E26D74FA04C637D7F91E17432EF93CB6_gshared (RuntimeObject * ___arg0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (BaseInvokableCall_ThrowOnInvalidArg_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_mCF3D0CC4E26D74FA04C637D7F91E17432EF93CB6_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___arg0;
if (!L_0)
{
goto IL_003e;
}
}
{
RuntimeObject * L_1 = ___arg0;
if (((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->rgctx_data, 0))))
{
goto IL_003e;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2;
RuntimeObject * L_4 = ___arg0;
NullCheck((RuntimeObject *)L_4);
Type_t * L_5 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)L_4, /*hidden argument*/NULL);
NullCheck(L_3);
ArrayElementTypeCheck (L_3, L_5);
(L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_5);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_3;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_7 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 1)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_8 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_7, /*hidden argument*/NULL);
NullCheck(L_6);
ArrayElementTypeCheck (L_6, L_8);
(L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
String_t* L_9 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387((String_t*)_stringLiteralDF235F02796A0611878A7D05162D43B2FBF7D8F3, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_6, /*hidden argument*/NULL);
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_10 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_10, (String_t*)L_9, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, BaseInvokableCall_ThrowOnInvalidArg_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_mCF3D0CC4E26D74FA04C637D7F91E17432EF93CB6_RuntimeMethod_var);
}
IL_003e:
{
return;
}
}
// System.Void UnityEngine.Events.BaseInvokableCall::ThrowOnInvalidArg<System.Int32>(System.Object)
extern "C" IL2CPP_METHOD_ATTR void BaseInvokableCall_ThrowOnInvalidArg_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m542C3D16A153CF260BC7BB3ED47824E1F6757995_gshared (RuntimeObject * ___arg0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (BaseInvokableCall_ThrowOnInvalidArg_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m542C3D16A153CF260BC7BB3ED47824E1F6757995_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___arg0;
if (!L_0)
{
goto IL_003e;
}
}
{
RuntimeObject * L_1 = ___arg0;
if (((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->rgctx_data, 0))))
{
goto IL_003e;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2;
RuntimeObject * L_4 = ___arg0;
NullCheck((RuntimeObject *)L_4);
Type_t * L_5 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)L_4, /*hidden argument*/NULL);
NullCheck(L_3);
ArrayElementTypeCheck (L_3, L_5);
(L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_5);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_3;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_7 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 1)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_8 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_7, /*hidden argument*/NULL);
NullCheck(L_6);
ArrayElementTypeCheck (L_6, L_8);
(L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
String_t* L_9 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387((String_t*)_stringLiteralDF235F02796A0611878A7D05162D43B2FBF7D8F3, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_6, /*hidden argument*/NULL);
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_10 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_10, (String_t*)L_9, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, BaseInvokableCall_ThrowOnInvalidArg_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m542C3D16A153CF260BC7BB3ED47824E1F6757995_RuntimeMethod_var);
}
IL_003e:
{
return;
}
}
// System.Void UnityEngine.Events.BaseInvokableCall::ThrowOnInvalidArg<System.Object>(System.Object)
extern "C" IL2CPP_METHOD_ATTR void BaseInvokableCall_ThrowOnInvalidArg_TisRuntimeObject_m6619B9B55C395AA6ED186844492F95CA172E4162_gshared (RuntimeObject * ___arg0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (BaseInvokableCall_ThrowOnInvalidArg_TisRuntimeObject_m6619B9B55C395AA6ED186844492F95CA172E4162_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___arg0;
if (!L_0)
{
goto IL_003e;
}
}
{
RuntimeObject * L_1 = ___arg0;
if (((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->rgctx_data, 0))))
{
goto IL_003e;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2;
RuntimeObject * L_4 = ___arg0;
NullCheck((RuntimeObject *)L_4);
Type_t * L_5 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)L_4, /*hidden argument*/NULL);
NullCheck(L_3);
ArrayElementTypeCheck (L_3, L_5);
(L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_5);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_3;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_7 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 1)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_8 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_7, /*hidden argument*/NULL);
NullCheck(L_6);
ArrayElementTypeCheck (L_6, L_8);
(L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
String_t* L_9 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387((String_t*)_stringLiteralDF235F02796A0611878A7D05162D43B2FBF7D8F3, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_6, /*hidden argument*/NULL);
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_10 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_10, (String_t*)L_9, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, BaseInvokableCall_ThrowOnInvalidArg_TisRuntimeObject_m6619B9B55C395AA6ED186844492F95CA172E4162_RuntimeMethod_var);
}
IL_003e:
{
return;
}
}
// System.Void UnityEngine.Events.BaseInvokableCall::ThrowOnInvalidArg<System.Single>(System.Object)
extern "C" IL2CPP_METHOD_ATTR void BaseInvokableCall_ThrowOnInvalidArg_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m03AC9F5BC274DC40423B6D8620CA8900D19B6779_gshared (RuntimeObject * ___arg0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (BaseInvokableCall_ThrowOnInvalidArg_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m03AC9F5BC274DC40423B6D8620CA8900D19B6779_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
RuntimeObject * L_0 = ___arg0;
if (!L_0)
{
goto IL_003e;
}
}
{
RuntimeObject * L_1 = ___arg0;
if (((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->rgctx_data, 0))))
{
goto IL_003e;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var, (uint32_t)2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_2;
RuntimeObject * L_4 = ___arg0;
NullCheck((RuntimeObject *)L_4);
Type_t * L_5 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)L_4, /*hidden argument*/NULL);
NullCheck(L_3);
ArrayElementTypeCheck (L_3, L_5);
(L_3)->SetAt(static_cast<il2cpp_array_size_t>(0), (RuntimeObject *)L_5);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_3;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_7 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 1)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_8 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_7, /*hidden argument*/NULL);
NullCheck(L_6);
ArrayElementTypeCheck (L_6, L_8);
(L_6)->SetAt(static_cast<il2cpp_array_size_t>(1), (RuntimeObject *)L_8);
String_t* L_9 = UnityString_Format_m415056ECF8DA7B3EC6A8456E299D0C2002177387((String_t*)_stringLiteralDF235F02796A0611878A7D05162D43B2FBF7D8F3, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_6, /*hidden argument*/NULL);
ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_10 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var);
ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_10, (String_t*)L_9, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, BaseInvokableCall_ThrowOnInvalidArg_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m03AC9F5BC274DC40423B6D8620CA8900D19B6779_RuntimeMethod_var);
}
IL_003e:
{
return;
}
}
// T System.Array::Find<System.Object>(T[],System.Predicate`1<T>)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * ___match1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
RuntimeObject * V_1 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_RuntimeMethod_var);
}
IL_000e:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_2 = ___match1;
if (L_2)
{
goto IL_001c;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, (String_t*)_stringLiteralEF5C844EAB88BCACA779BD2F3AD67B573BBBBFCA, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Array_Find_TisRuntimeObject_mB8509653F89FF33B78C3019FD9A78297F222C337_RuntimeMethod_var);
}
IL_001c:
{
V_0 = (int32_t)0;
goto IL_003b;
}
IL_0020:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_4 = ___match1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = ___array0;
int32_t L_6 = V_0;
NullCheck(L_5);
int32_t L_7 = L_6;
RuntimeObject * L_8 = (L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7));
NullCheck((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_4);
bool L_9 = (( bool (*) (Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_4, (RuntimeObject *)L_8, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
if (!L_9)
{
goto IL_0037;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = ___array0;
int32_t L_11 = V_0;
NullCheck(L_10);
int32_t L_12 = L_11;
RuntimeObject * L_13 = (L_10)->GetAt(static_cast<il2cpp_array_size_t>(L_12));
return L_13;
}
IL_0037:
{
int32_t L_14 = V_0;
V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1));
}
IL_003b:
{
int32_t L_15 = V_0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = ___array0;
NullCheck(L_16);
if ((((int32_t)L_15) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_16)->max_length)))))))
{
goto IL_0020;
}
}
{
il2cpp_codegen_initobj((&V_1), sizeof(RuntimeObject *));
RuntimeObject * L_17 = V_1;
return L_17;
}
}
// T System.Array::FindLast<System.Object>(T[],System.Predicate`1<T>)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * ___match1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
RuntimeObject * V_1 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_RuntimeMethod_var);
}
IL_000e:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_2 = ___match1;
if (L_2)
{
goto IL_001c;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, (String_t*)_stringLiteralEF5C844EAB88BCACA779BD2F3AD67B573BBBBFCA, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Array_FindLast_TisRuntimeObject_m4E31CFB84B91215A9C9C168FA4ECB1DF3EA123AB_RuntimeMethod_var);
}
IL_001c:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___array0;
NullCheck(L_4);
V_0 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_4)->max_length)))), (int32_t)1));
goto IL_003f;
}
IL_0024:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_5 = ___match1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = ___array0;
int32_t L_7 = V_0;
NullCheck(L_6);
int32_t L_8 = L_7;
RuntimeObject * L_9 = (L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8));
NullCheck((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_5);
bool L_10 = (( bool (*) (Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_5, (RuntimeObject *)L_9, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
if (!L_10)
{
goto IL_003b;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = ___array0;
int32_t L_12 = V_0;
NullCheck(L_11);
int32_t L_13 = L_12;
RuntimeObject * L_14 = (L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13));
return L_14;
}
IL_003b:
{
int32_t L_15 = V_0;
V_0 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_15, (int32_t)1));
}
IL_003f:
{
int32_t L_16 = V_0;
if ((((int32_t)L_16) >= ((int32_t)0)))
{
goto IL_0024;
}
}
{
il2cpp_codegen_initobj((&V_1), sizeof(RuntimeObject *));
RuntimeObject * L_17 = V_1;
return L_17;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<Mono.Globalization.Unicode.CodePointIndexer_TableRange>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 Array_InternalArray__IReadOnlyList_get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_mC22677B8BB3C2E2FD6E8EFEDAE1263F7C1552473_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_mC22677B8BB3C2E2FD6E8EFEDAE1263F7C1552473_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_mC22677B8BB3C2E2FD6E8EFEDAE1263F7C1552473_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 *)(TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 *)(&V_0));
TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Boolean>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bool Array_InternalArray__IReadOnlyList_get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m35D71EC8F506ABBDEAB4DA491A0C39F130AAA398_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m35D71EC8F506ABBDEAB4DA491A0C39F130AAA398_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m35D71EC8F506ABBDEAB4DA491A0C39F130AAA398_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (bool*)(bool*)(&V_0));
bool L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Byte>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint8_t Array_InternalArray__IReadOnlyList_get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mA20976BDE39E7CDFAE80707F5D7B8782D2DB26F1_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mA20976BDE39E7CDFAE80707F5D7B8782D2DB26F1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint8_t V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mA20976BDE39E7CDFAE80707F5D7B8782D2DB26F1_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint8_t*)(uint8_t*)(&V_0));
uint8_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Char>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Il2CppChar Array_InternalArray__IReadOnlyList_get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m8A9BCF051C369596DC54FFC5AF2E53311B3085AC_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m8A9BCF051C369596DC54FFC5AF2E53311B3085AC_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Il2CppChar V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m8A9BCF051C369596DC54FFC5AF2E53311B3085AC_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Il2CppChar*)(Il2CppChar*)(&V_0));
Il2CppChar L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.DictionaryEntry>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 Array_InternalArray__IReadOnlyList_get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_m68307563E8A8612829E8C8D1010115AF810C2A27_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_m68307563E8A8612829E8C8D1010115AF810C2A27_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_m68307563E8A8612829E8C8D1010115AF810C2A27_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 *)(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 *)(&V_0));
DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Int32,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_mBB9351B9A332C5E66A4C12BE34CB36FB09A0AD84_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_mBB9351B9A332C5E66A4C12BE34CB36FB09A0AD84_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_mBB9351B9A332C5E66A4C12BE34CB36FB09A0AD84_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D *)(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D *)(&V_0));
Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Int32>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_mA1993BD92A566CB774DB1DB93E022FEE3C178CE4_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_mA1993BD92A566CB774DB1DB93E022FEE3C178CE4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_mA1993BD92A566CB774DB1DB93E022FEE3C178CE4_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE *)(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE *)(&V_0));
Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m5BB4D70758EF8C6AFCFC3A0CE70EB0BA56014BDF_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m5BB4D70758EF8C6AFCFC3A0CE70EB0BA56014BDF_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m5BB4D70758EF8C6AFCFC3A0CE70EB0BA56014BDF_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA *)(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA *)(&V_0));
Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Resources.ResourceLocator>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D Array_InternalArray__IReadOnlyList_get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m9AE27399BB6EC825F7276F24EECB292251BD0CB7_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m9AE27399BB6EC825F7276F24EECB292251BD0CB7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m9AE27399BB6EC825F7276F24EECB292251BD0CB7_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D *)(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D *)(&V_0));
Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m1FDA4C119EA5BEDA9E3E30256B1B1C366E3F41B1_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m1FDA4C119EA5BEDA9E3E30256B1B1C366E3F41B1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m1FDA4C119EA5BEDA9E3E30256B1B1C366E3F41B1_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(&V_0));
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m1AF51A35EF6BFAFF7B2A441CBD977B4EDE3D18B2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m1AF51A35EF6BFAFF7B2A441CBD977B4EDE3D18B2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m1AF51A35EF6BFAFF7B2A441CBD977B4EDE3D18B2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE *)(KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE *)(&V_0));
KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mEBF0FA040E7F47BBB25F2E8B521190971A4F94BD_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mEBF0FA040E7F47BBB25F2E8B521190971A4F94BD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mEBF0FA040E7F47BBB25F2E8B521190971A4F94BD_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(&V_0));
KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_mD8E7932136B09DB9DEF32AA6FE217F32D860C43D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_mD8E7932136B09DB9DEF32AA6FE217F32D860C43D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_mD8E7932136B09DB9DEF32AA6FE217F32D860C43D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(&V_0));
KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_mA6FA92FD002D406D05A07134DC2BC8135E874B3F_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_mA6FA92FD002D406D05A07134DC2BC8135E874B3F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_mA6FA92FD002D406D05A07134DC2BC8135E874B3F_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(&V_0));
KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Collections.Hashtable_bucket>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 Array_InternalArray__IReadOnlyList_get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_m0F9E7F24987CE293C28F6C14F3075C20F505C26B_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_m0F9E7F24987CE293C28F6C14F3075C20F505C26B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_m0F9E7F24987CE293C28F6C14F3075C20F505C26B_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 *)(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 *)(&V_0));
bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.DateTime>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 Array_InternalArray__IReadOnlyList_get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mCD6665078DDF4047758A406CD953DBD6FFB70478_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mCD6665078DDF4047758A406CD953DBD6FFB70478_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mCD6665078DDF4047758A406CD953DBD6FFB70478_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0));
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Decimal>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Array_InternalArray__IReadOnlyList_get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA5EA9A997E687B2A740812E57305FAD0B5428F3F_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA5EA9A997E687B2A740812E57305FAD0B5428F3F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA5EA9A997E687B2A740812E57305FAD0B5428F3F_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 *)(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 *)(&V_0));
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Double>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR double Array_InternalArray__IReadOnlyList_get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m89B0E816317A499BFFFF1F32EC99B68D1045E6C9_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m89B0E816317A499BFFFF1F32EC99B68D1045E6C9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
double V_0 = 0.0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m89B0E816317A499BFFFF1F32EC99B68D1045E6C9_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (double*)(double*)(&V_0));
double L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Globalization.InternalCodePageDataItem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 Array_InternalArray__IReadOnlyList_get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m27C62570D0F265FD04FA8E6A480284B26DB44AE2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m27C62570D0F265FD04FA8E6A480284B26DB44AE2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m27C62570D0F265FD04FA8E6A480284B26DB44AE2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 *)(InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 *)(&V_0));
InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Globalization.InternalEncodingDataItem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 Array_InternalArray__IReadOnlyList_get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mCE86842C0F97A7F4669040429C23BF3438BDB39B_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mCE86842C0F97A7F4669040429C23BF3438BDB39B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mCE86842C0F97A7F4669040429C23BF3438BDB39B_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 *)(InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 *)(&V_0));
InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Int16>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int16_t Array_InternalArray__IReadOnlyList_get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_mC0FBBA64A8AD9D86D56FED81BFDE1F2F06F88490_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_mC0FBBA64A8AD9D86D56FED81BFDE1F2F06F88490_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int16_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_mC0FBBA64A8AD9D86D56FED81BFDE1F2F06F88490_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int16_t*)(int16_t*)(&V_0));
int16_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Int32>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mEFD1A61B0B41A9FFD0F040F4A1A07220F8F0CD90_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mEFD1A61B0B41A9FFD0F040F4A1A07220F8F0CD90_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mEFD1A61B0B41A9FFD0F040F4A1A07220F8F0CD90_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int32_t*)(int32_t*)(&V_0));
int32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Int32Enum>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_InternalArray__IReadOnlyList_get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD7D437DF6139243DC88F2B7DE2305205C2905D26_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD7D437DF6139243DC88F2B7DE2305205C2905D26_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mD7D437DF6139243DC88F2B7DE2305205C2905D26_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int32_t*)(int32_t*)(&V_0));
int32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Int64>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int64_t Array_InternalArray__IReadOnlyList_get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m1CF13A729DFD610EBB2D8C060C5AF62C6F1CBBE9_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m1CF13A729DFD610EBB2D8C060C5AF62C6F1CBBE9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int64_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m1CF13A729DFD610EBB2D8C060C5AF62C6F1CBBE9_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int64_t*)(int64_t*)(&V_0));
int64_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.IntPtr>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR intptr_t Array_InternalArray__IReadOnlyList_get_Item_TisIntPtr_t_m97F983B47BBAF278F9F2B9B14AAD5D1639754C48_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisIntPtr_t_m97F983B47BBAF278F9F2B9B14AAD5D1639754C48_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
intptr_t V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisIntPtr_t_m97F983B47BBAF278F9F2B9B14AAD5D1639754C48_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (intptr_t*)(intptr_t*)(&V_0));
intptr_t L_4 = V_0;
return (intptr_t)L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Object>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Array_InternalArray__IReadOnlyList_get_Item_TisRuntimeObject_m08E712C1A936A68ACBDDDB3BD61F20658A5A1F59_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisRuntimeObject_m08E712C1A936A68ACBDDDB3BD61F20658A5A1F59_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisRuntimeObject_m08E712C1A936A68ACBDDDB3BD61F20658A5A1F59_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (RuntimeObject **)(RuntimeObject **)(&V_0));
RuntimeObject * L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.ParameterizedStrings_FormatParam>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 Array_InternalArray__IReadOnlyList_get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m90C1DA8A90349E98D0CAE4E6E9F8B13CDD9D383F_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m90C1DA8A90349E98D0CAE4E6E9F8B13CDD9D383F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m90C1DA8A90349E98D0CAE4E6E9F8B13CDD9D383F_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 *)(FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 *)(&V_0));
FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Reflection.CustomAttributeNamedArgument>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m7FE4474292FC7BC61503EBAA451177566C7A11F2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m7FE4474292FC7BC61503EBAA451177566C7A11F2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m7FE4474292FC7BC61503EBAA451177566C7A11F2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)(CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)(&V_0));
CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Reflection.CustomAttributeTypedArgument>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m782303121097277DB87E5CF415EF0465C4B4A1B1_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m782303121097277DB87E5CF415EF0465C4B4A1B1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m782303121097277DB87E5CF415EF0465C4B4A1B1_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)(CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)(&V_0));
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Reflection.ParameterModifier>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E Array_InternalArray__IReadOnlyList_get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m20B1886525CDB86FF07F92A29DFF25F3C3297949_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m20B1886525CDB86FF07F92A29DFF25F3C3297949_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m20B1886525CDB86FF07F92A29DFF25F3C3297949_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E *)(ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E *)(&V_0));
ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Resources.ResourceLocator>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C Array_InternalArray__IReadOnlyList_get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_mAE9047DFAA2BB7016E21BFAFA99BCD7C274D6119_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_mAE9047DFAA2BB7016E21BFAFA99BCD7C274D6119_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_mAE9047DFAA2BB7016E21BFAFA99BCD7C274D6119_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)(&V_0));
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Runtime.CompilerServices.Ephemeron>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA Array_InternalArray__IReadOnlyList_get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_mAB5413860CB11C4079C1BB386E21AF2E0BDF3321_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_mAB5413860CB11C4079C1BB386E21AF2E0BDF3321_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_mAB5413860CB11C4079C1BB386E21AF2E0BDF3321_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA *)(Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA *)(&V_0));
Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.SByte>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int8_t Array_InternalArray__IReadOnlyList_get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m542710B68FCD399C6523BAA5B1E342DB12FA6C41_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m542710B68FCD399C6523BAA5B1E342DB12FA6C41_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int8_t V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m542710B68FCD399C6523BAA5B1E342DB12FA6C41_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int8_t*)(int8_t*)(&V_0));
int8_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Security.Cryptography.X509Certificates.X509ChainStatus>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C Array_InternalArray__IReadOnlyList_get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_m107B8642521F620678DE7AE61C5E448B47271B62_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_m107B8642521F620678DE7AE61C5E448B47271B62_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_m107B8642521F620678DE7AE61C5E448B47271B62_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C *)(X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C *)(&V_0));
X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Single>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Array_InternalArray__IReadOnlyList_get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m08091EB834286C575732D7E88D50862B35589EC5_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m08091EB834286C575732D7E88D50862B35589EC5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m08091EB834286C575732D7E88D50862B35589EC5_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (float*)(float*)(&V_0));
float L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B Array_InternalArray__IReadOnlyList_get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_m63AAEF4BA3CC016E2F8D6A5D0EC53D359279C943_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_m63AAEF4BA3CC016E2F8D6A5D0EC53D359279C943_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_m63AAEF4BA3CC016E2F8D6A5D0EC53D359279C943_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B *)(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B *)(&V_0));
LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.Threading.CancellationTokenRegistration>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 Array_InternalArray__IReadOnlyList_get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m53E8625AE904443A1E1DBCCF105D4577B179F5C2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m53E8625AE904443A1E1DBCCF105D4577B179F5C2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m53E8625AE904443A1E1DBCCF105D4577B179F5C2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 *)(CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 *)(&V_0));
CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.TimeSpan>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 Array_InternalArray__IReadOnlyList_get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m50C17816856C83AC643E0C9514C311816C06ADFB_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m50C17816856C83AC643E0C9514C311816C06ADFB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m50C17816856C83AC643E0C9514C311816C06ADFB_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_0));
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.UInt16>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint16_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m333BB1E13495F525681D8CD750954CB38787E0E4_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m333BB1E13495F525681D8CD750954CB38787E0E4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint16_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m333BB1E13495F525681D8CD750954CB38787E0E4_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint16_t*)(uint16_t*)(&V_0));
uint16_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.UInt32>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint32_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_mFA15CACC0FB406A96AEE4FB4C35AA6C3DF7CDB94_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_mFA15CACC0FB406A96AEE4FB4C35AA6C3DF7CDB94_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_mFA15CACC0FB406A96AEE4FB4C35AA6C3DF7CDB94_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint32_t*)(uint32_t*)(&V_0));
uint32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<System.UInt64>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint64_t Array_InternalArray__IReadOnlyList_get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m8AAD596833F8BEBCA1E526874718756C351CEE01_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m8AAD596833F8BEBCA1E526874718756C351CEE01_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint64_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m8AAD596833F8BEBCA1E526874718756C351CEE01_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint64_t*)(uint64_t*)(&V_0));
uint64_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.BeforeRenderHelper_OrderBlock>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 Array_InternalArray__IReadOnlyList_get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD0FE97B15C9FA8B66BB462AA2A30F988EA03299C_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD0FE97B15C9FA8B66BB462AA2A30F988EA03299C_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mD0FE97B15C9FA8B66BB462AA2A30F988EA03299C_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)(&V_0));
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.Experimental.LowLevel.PlayerLoopSystem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D Array_InternalArray__IReadOnlyList_get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_m40222B08F0CF63CCA43E04EF166CF8B07F94E0DC_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_m40222B08F0CF63CCA43E04EF166CF8B07F94E0DC_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_m40222B08F0CF63CCA43E04EF166CF8B07F94E0DC_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D *)(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D *)(&V_0));
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.Keyframe>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 Array_InternalArray__IReadOnlyList_get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mCBEC9342279EF9BEBF1624F73A8C3183F053E823_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mCBEC9342279EF9BEBF1624F73A8C3183F053E823_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mCBEC9342279EF9BEBF1624F73A8C3183F053E823_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 *)(Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 *)(&V_0));
Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.Playables.PlayableBinding>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 Array_InternalArray__IReadOnlyList_get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_mC49BE7A8A1BE4C13417FE433DCBD6A2D3CFBBDCA_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_mC49BE7A8A1BE4C13417FE433DCBD6A2D3CFBBDCA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_mC49BE7A8A1BE4C13417FE433DCBD6A2D3CFBBDCA_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 *)(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 *)(&V_0));
PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.SendMouseEvents_HitInfo>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 Array_InternalArray__IReadOnlyList_get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_mECCD226E69010D2D78D319BC7F87B842E805A78E_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_mECCD226E69010D2D78D319BC7F87B842E805A78E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_mECCD226E69010D2D78D319BC7F87B842E805A78E_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(&V_0));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.SocialPlatforms.GameCenter.GcAchievementData>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 Array_InternalArray__IReadOnlyList_get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m39952434C44AD3DC50E3B088D2AB7BB9DF4BF6A2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m39952434C44AD3DC50E3B088D2AB7BB9DF4BF6A2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m39952434C44AD3DC50E3B088D2AB7BB9DF4BF6A2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 *)(GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 *)(&V_0));
GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.SocialPlatforms.GameCenter.GcScoreData>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A Array_InternalArray__IReadOnlyList_get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_m795F49361982E404E95390015D517257EE067216_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_m795F49361982E404E95390015D517257EE067216_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_m795F49361982E404E95390015D517257EE067216_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A *)(GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A *)(&V_0));
GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__IReadOnlyList_get_Item<UnityEngine.UnitySynchronizationContext_WorkRequest>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 Array_InternalArray__IReadOnlyList_get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mC500BEBCAE65267ED127EE4EF03640ED52CB5A76_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__IReadOnlyList_get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mC500BEBCAE65267ED127EE4EF03640ED52CB5A76_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__IReadOnlyList_get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mC500BEBCAE65267ED127EE4EF03640ED52CB5A76_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)(&V_0));
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<Mono.Globalization.Unicode.CodePointIndexer_TableRange>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 Array_InternalArray__get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_m1CF557045E7E734993401587A6B95688A830C1C1_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_m1CF557045E7E734993401587A6B95688A830C1C1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisTableRange_t485CF0807771CC05023466CFCB0AE25C46648100_m1CF557045E7E734993401587A6B95688A830C1C1_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 *)(TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 *)(&V_0));
TableRange_t485CF0807771CC05023466CFCB0AE25C46648100 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Boolean>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bool Array_InternalArray__get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m629BA5846BCC1FB720C82F465DBEDC7CC35C9923_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m629BA5846BCC1FB720C82F465DBEDC7CC35C9923_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bool V_0 = false;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisBoolean_tB53F6830F670160873277339AA58F15CAED4399C_m629BA5846BCC1FB720C82F465DBEDC7CC35C9923_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (bool*)(bool*)(&V_0));
bool L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Byte>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint8_t Array_InternalArray__get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mE0AC51BD7B42B61EADFED85793540510F5513D8E_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mE0AC51BD7B42B61EADFED85793540510F5513D8E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint8_t V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisByte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_mE0AC51BD7B42B61EADFED85793540510F5513D8E_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint8_t*)(uint8_t*)(&V_0));
uint8_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Char>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Il2CppChar Array_InternalArray__get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m7910AF4B30BD106F78DE0F14393EA2FA9165302D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m7910AF4B30BD106F78DE0F14393EA2FA9165302D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Il2CppChar V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_m7910AF4B30BD106F78DE0F14393EA2FA9165302D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Il2CppChar*)(Il2CppChar*)(&V_0));
Il2CppChar L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.DictionaryEntry>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 Array_InternalArray__get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_mE027C77C0133B05655D10BE4BAB17CCBEA45C34E_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_mE027C77C0133B05655D10BE4BAB17CCBEA45C34E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisDictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4_mE027C77C0133B05655D10BE4BAB17CCBEA45C34E_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 *)(DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 *)(&V_0));
DictionaryEntry_tB5348A26B94274FCC1DD77185BD5946E283B11A4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Int32,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D Array_InternalArray__get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_m5E18D1F3D75951F12CB606D6CEB7A156A5C6C8BD_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_m5E18D1F3D75951F12CB606D6CEB7A156A5C6C8BD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisEntry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D_m5E18D1F3D75951F12CB606D6CEB7A156A5C6C8BD_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D *)(Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D *)(&V_0));
Entry_t7D7748D5ED1AF0BF0D2AE30579C5C71A06D98D3D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Int32>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE Array_InternalArray__get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_m8CC22EADB453439C66E587109B90CCA60E03233A_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_m8CC22EADB453439C66E587109B90CCA60E03233A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisEntry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE_m8CC22EADB453439C66E587109B90CCA60E03233A_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE *)(Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE *)(&V_0));
Entry_t06E52CC4FA420E7C4AC082F266C2BBBC94AF8ECE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA Array_InternalArray__get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m61ECA245B1071FDB6DB79FE4A5AE6362A5381DF5_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m61ECA245B1071FDB6DB79FE4A5AE6362A5381DF5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisEntry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA_m61ECA245B1071FDB6DB79FE4A5AE6362A5381DF5_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA *)(Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA *)(&V_0));
Entry_t03898C03E4E291FD6780D28D81A25E3CACF2BADA L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.Dictionary`2_Entry<System.Object,System.Resources.ResourceLocator>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D Array_InternalArray__get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m00CEFC0E6EB5C4E6286E76754603C701C01C8813_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m00CEFC0E6EB5C4E6286E76754603C701C01C8813_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisEntry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D_m00CEFC0E6EB5C4E6286E76754603C701C01C8813_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D *)(Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D *)(&V_0));
Entry_tF9DF2A46F3E6119E3AF03BA9B2FA24224378770D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Array_InternalArray__get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_mCE796920ABC11A9902FC9F9D6160642A63D433FA_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_mCE796920ABC11A9902FC9F9D6160642A63D433FA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_mCE796920ABC11A9902FC9F9D6160642A63D433FA_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(&V_0));
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE Array_InternalArray__get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m9F18D534073EB714A33DD07BC19837F08129B5F7_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m9F18D534073EB714A33DD07BC19837F08129B5F7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE_m9F18D534073EB714A33DD07BC19837F08129B5F7_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE *)(KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE *)(&V_0));
KeyValuePair_2_t86464C52F9602337EAC68825E6BE06951D7530CE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E Array_InternalArray__get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mBCE929EFD88213430B14BD2CF31A583723522143_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mBCE929EFD88213430B14BD2CF31A583723522143_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E_mBCE929EFD88213430B14BD2CF31A583723522143_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(&V_0));
KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE Array_InternalArray__get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_m07DCF9692981AEACAD04D98EA58EC5727A57F24E_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_m07DCF9692981AEACAD04D98EA58EC5727A57F24E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE_m07DCF9692981AEACAD04D98EA58EC5727A57F24E_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(&V_0));
KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 Array_InternalArray__get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_m869CD39A2A3CBBF2661E51A2C3F817DDE806C357_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_m869CD39A2A3CBBF2661E51A2C3F817DDE806C357_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6_m869CD39A2A3CBBF2661E51A2C3F817DDE806C357_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(&V_0));
KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Collections.Hashtable_bucket>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 Array_InternalArray__get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_mFBBF1D38CCDA2D13FFA16BC0CE1E5987639162FB_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_mFBBF1D38CCDA2D13FFA16BC0CE1E5987639162FB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_Tisbucket_t1C848488DF65838689F7773D46F9E7E8C881B083_mFBBF1D38CCDA2D13FFA16BC0CE1E5987639162FB_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 *)(bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 *)(&V_0));
bucket_t1C848488DF65838689F7773D46F9E7E8C881B083 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.DateTime>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 Array_InternalArray__get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mAFF3D10D243FFDDEA2E5BE47A3D72269875C515D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mAFF3D10D243FFDDEA2E5BE47A3D72269875C515D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisDateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_mAFF3D10D243FFDDEA2E5BE47A3D72269875C515D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 *)(&V_0));
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Decimal>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 Array_InternalArray__get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA29C644E6B30AA8FF56106A39C9E7530CE6AD04D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA29C644E6B30AA8FF56106A39C9E7530CE6AD04D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisDecimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8_mA29C644E6B30AA8FF56106A39C9E7530CE6AD04D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 *)(Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 *)(&V_0));
Decimal_t44EE9DA309A1BF848308DE4DDFC070CAE6D95EE8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Double>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR double Array_InternalArray__get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m91B1B86B2435BE0A25761F475691E825DDAD39A4_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m91B1B86B2435BE0A25761F475691E825DDAD39A4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
double V_0 = 0.0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisDouble_t358B8F23BDC52A5DD700E727E204F9F7CDE12409_m91B1B86B2435BE0A25761F475691E825DDAD39A4_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (double*)(double*)(&V_0));
double L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Globalization.InternalCodePageDataItem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 Array_InternalArray__get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m61D9DED5DD618D348B1BADD336B69E7902CC5424_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m61D9DED5DD618D348B1BADD336B69E7902CC5424_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4_m61D9DED5DD618D348B1BADD336B69E7902CC5424_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 *)(InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 *)(&V_0));
InternalCodePageDataItem_t34EE39DE4A481B875348BB9BC6751E2A109AD0D4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Globalization.InternalEncodingDataItem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 Array_InternalArray__get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mDDF4AC156930E20611FCFB76DFC231AE7903FEE0_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mDDF4AC156930E20611FCFB76DFC231AE7903FEE0_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211_mDDF4AC156930E20611FCFB76DFC231AE7903FEE0_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 *)(InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 *)(&V_0));
InternalEncodingDataItem_t34BEF550D56496035752E8E0607127CD43378211 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Int16>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int16_t Array_InternalArray__get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_m646E9CD2F8B82E5F35FBDE2A0EFD98A0F195D680_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_m646E9CD2F8B82E5F35FBDE2A0EFD98A0F195D680_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int16_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInt16_t823A20635DAF5A3D93A1E01CFBF3CBA27CF00B4D_m646E9CD2F8B82E5F35FBDE2A0EFD98A0F195D680_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int16_t*)(int16_t*)(&V_0));
int16_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Int32>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_InternalArray__get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mC0D56DB29145576351D3144C0174C3DB3DFF9C84_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mC0D56DB29145576351D3144C0174C3DB3DFF9C84_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mC0D56DB29145576351D3144C0174C3DB3DFF9C84_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int32_t*)(int32_t*)(&V_0));
int32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Int32Enum>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_InternalArray__get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mB47101014CAE26A07ACE2888ADF044342599F247_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mB47101014CAE26A07ACE2888ADF044342599F247_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mB47101014CAE26A07ACE2888ADF044342599F247_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int32_t*)(int32_t*)(&V_0));
int32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Int64>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int64_t Array_InternalArray__get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m69766EC28E50BA89284F2D32C8684A401A19B346_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m69766EC28E50BA89284F2D32C8684A401A19B346_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int64_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisInt64_t7A386C2FF7B0280A0F516992401DDFCF0FF7B436_m69766EC28E50BA89284F2D32C8684A401A19B346_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int64_t*)(int64_t*)(&V_0));
int64_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.IntPtr>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR intptr_t Array_InternalArray__get_Item_TisIntPtr_t_mDAAED5E34FC82EC1CE912628ED6EFA3FD73BF68D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisIntPtr_t_mDAAED5E34FC82EC1CE912628ED6EFA3FD73BF68D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
intptr_t V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisIntPtr_t_mDAAED5E34FC82EC1CE912628ED6EFA3FD73BF68D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (intptr_t*)(intptr_t*)(&V_0));
intptr_t L_4 = V_0;
return (intptr_t)L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Object>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Array_InternalArray__get_Item_TisRuntimeObject_m98D2A0CAA60FCDAD14B318032271D194A0FC463A_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisRuntimeObject_m98D2A0CAA60FCDAD14B318032271D194A0FC463A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisRuntimeObject_m98D2A0CAA60FCDAD14B318032271D194A0FC463A_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (RuntimeObject **)(RuntimeObject **)(&V_0));
RuntimeObject * L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.ParameterizedStrings_FormatParam>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 Array_InternalArray__get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m47A9D1BA5A97752AF36397686537AB4612A836EB_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m47A9D1BA5A97752AF36397686537AB4612A836EB_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisFormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800_m47A9D1BA5A97752AF36397686537AB4612A836EB_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 *)(FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 *)(&V_0));
FormatParam_t1901DD0E7CD1B3A17B09040A6E2FCA5307328800 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Reflection.CustomAttributeNamedArgument>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E Array_InternalArray__get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m2FD87C18D9E6848633DF705BFFAFEB78D9396EA4_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m2FD87C18D9E6848633DF705BFFAFEB78D9396EA4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_m2FD87C18D9E6848633DF705BFFAFEB78D9396EA4_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)(CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)(&V_0));
CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Reflection.CustomAttributeTypedArgument>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 Array_InternalArray__get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_mB284F11FF6EAAF07725EE9EEECAAD865E149E9CD_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_mB284F11FF6EAAF07725EE9EEECAAD865E149E9CD_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_mB284F11FF6EAAF07725EE9EEECAAD865E149E9CD_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)(CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)(&V_0));
CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Reflection.ParameterModifier>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E Array_InternalArray__get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m83A26FF89E9009B96B3B82235BC9508BB8406D77_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m83A26FF89E9009B96B3B82235BC9508BB8406D77_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E_m83A26FF89E9009B96B3B82235BC9508BB8406D77_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E *)(ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E *)(&V_0));
ParameterModifier_t7BEFF7C52C8D7CD73D787BDAE6A1A50196204E3E L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Resources.ResourceLocator>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C Array_InternalArray__get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_m6880A2B25322CD928A2218BAC463B0F9D7450BD2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_m6880A2B25322CD928A2218BAC463B0F9D7450BD2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C_m6880A2B25322CD928A2218BAC463B0F9D7450BD2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)(&V_0));
ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Runtime.CompilerServices.Ephemeron>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA Array_InternalArray__get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_m4277A55FF0F7CC43A28269EF99E761F3BA612EE3_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_m4277A55FF0F7CC43A28269EF99E761F3BA612EE3_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisEphemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA_m4277A55FF0F7CC43A28269EF99E761F3BA612EE3_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA *)(Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA *)(&V_0));
Ephemeron_t6F0B12401657FF132AB44052E5BCD06D358FF1BA L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.SByte>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR int8_t Array_InternalArray__get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m288F7FA25642BAF460C919173FFBACFF200256FE_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m288F7FA25642BAF460C919173FFBACFF200256FE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int8_t V_0 = 0x0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisSByte_t9070AEA2966184235653CB9B4D33B149CDA831DF_m288F7FA25642BAF460C919173FFBACFF200256FE_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (int8_t*)(int8_t*)(&V_0));
int8_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Security.Cryptography.X509Certificates.X509ChainStatus>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C Array_InternalArray__get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_mA4007DD15F683C09EF27EB643D94120451187BE1_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_mA4007DD15F683C09EF27EB643D94120451187BE1_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisX509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C_mA4007DD15F683C09EF27EB643D94120451187BE1_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C *)(X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C *)(&V_0));
X509ChainStatus_t9E05BD8700EA6158AC82F71CBE53AD20F6B99B0C L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Single>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR float Array_InternalArray__get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m77CE54A431B9137F71AE4EB8DD6BD6896CAD51D5_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m77CE54A431B9137F71AE4EB8DD6BD6896CAD51D5_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
float V_0 = 0.0f;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisSingle_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1_m77CE54A431B9137F71AE4EB8DD6BD6896CAD51D5_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (float*)(float*)(&V_0));
float L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Text.RegularExpressions.RegexCharClass_LowerCaseMapping>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B Array_InternalArray__get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_mE5257779A8486E28FF4CE35150FACFDEF3E4C3A2_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_mE5257779A8486E28FF4CE35150FACFDEF3E4C3A2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisLowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B_mE5257779A8486E28FF4CE35150FACFDEF3E4C3A2_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B *)(LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B *)(&V_0));
LowerCaseMapping_t3F087D71A4D7A309FD5492CE33501FD4F4709D7B L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.Threading.CancellationTokenRegistration>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 Array_InternalArray__get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m0318D47BE2AB57E53839293C15DD335B8B0583AA_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m0318D47BE2AB57E53839293C15DD335B8B0583AA_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisCancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2_m0318D47BE2AB57E53839293C15DD335B8B0583AA_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 *)(CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 *)(&V_0));
CancellationTokenRegistration_tCDB9825D1854DD0D7FF737C82B099FC468107BB2 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.TimeSpan>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 Array_InternalArray__get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m6F26E3B1889F792C114EA852B45C022258DDF5D4_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m6F26E3B1889F792C114EA852B45C022258DDF5D4_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisTimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4_m6F26E3B1889F792C114EA852B45C022258DDF5D4_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 *)(&V_0));
TimeSpan_tA8069278ACE8A74D6DF7D514A9CD4432433F64C4 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.UInt16>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint16_t Array_InternalArray__get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m92C7FC890AD3637D775B949E40AC58993090D84D_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m92C7FC890AD3637D775B949E40AC58993090D84D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint16_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisUInt16_tAE45CEF73BF720100519F6867F32145D075F928E_m92C7FC890AD3637D775B949E40AC58993090D84D_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint16_t*)(uint16_t*)(&V_0));
uint16_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.UInt32>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint32_t Array_InternalArray__get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_m92E8524E021B44BD9FBA8B7B532C1C1D1AE2591E_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_m92E8524E021B44BD9FBA8B7B532C1C1D1AE2591E_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint32_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisUInt32_t4980FA09003AFAAB5A6E361BA2748EA9A005709B_m92E8524E021B44BD9FBA8B7B532C1C1D1AE2591E_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint32_t*)(uint32_t*)(&V_0));
uint32_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<System.UInt64>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR uint64_t Array_InternalArray__get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m67422E4BCD6185FCCC24C2E10B17354B5CA4881F_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m67422E4BCD6185FCCC24C2E10B17354B5CA4881F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
uint64_t V_0 = 0;
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisUInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E_m67422E4BCD6185FCCC24C2E10B17354B5CA4881F_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (uint64_t*)(uint64_t*)(&V_0));
uint64_t L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.BeforeRenderHelper_OrderBlock>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 Array_InternalArray__get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m3A94BC2B4F31DBA1005FB94913C3130C69A2E39F_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m3A94BC2B4F31DBA1005FB94913C3130C69A2E39F_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_m3A94BC2B4F31DBA1005FB94913C3130C69A2E39F_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)(&V_0));
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.Experimental.LowLevel.PlayerLoopSystem>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D Array_InternalArray__get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_mF91557842C227193C860DC92424711A92AD86409_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_mF91557842C227193C860DC92424711A92AD86409_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisPlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D_mF91557842C227193C860DC92424711A92AD86409_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D *)(PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D *)(&V_0));
PlayerLoopSystem_t89BC6208BDD3B7C57FED7B0201341A7D4E846A6D L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.Keyframe>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 Array_InternalArray__get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mD6A0D9843EAA93E58C03D148C4944DA9AA85608A_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mD6A0D9843EAA93E58C03D148C4944DA9AA85608A_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisKeyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74_mD6A0D9843EAA93E58C03D148C4944DA9AA85608A_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 *)(Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 *)(&V_0));
Keyframe_t9E945CACC5AC36E067B15A634096A223A06D2D74 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.Playables.PlayableBinding>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 Array_InternalArray__get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_m362D4C945930128AB5451EC5F1413FB6543D01C9_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_m362D4C945930128AB5451EC5F1413FB6543D01C9_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisPlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8_m362D4C945930128AB5451EC5F1413FB6543D01C9_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 *)(PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 *)(&V_0));
PlayableBinding_t4D92F4CF16B8608DD83947E5D40CB7690F23F9C8 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.SendMouseEvents_HitInfo>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 Array_InternalArray__get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_m403872DD604CD1FD878047ADA4BB2D7348E23443_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_m403872DD604CD1FD878047ADA4BB2D7348E23443_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisHitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12_m403872DD604CD1FD878047ADA4BB2D7348E23443_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 *)(&V_0));
HitInfo_t3DDACA0CB28E94463E17542FA7F04245A8AE1C12 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.SocialPlatforms.GameCenter.GcAchievementData>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 Array_InternalArray__get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m9D0452CD1962BBA9DAE3FC2B0EC0429F65CF1103_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m9D0452CD1962BBA9DAE3FC2B0EC0429F65CF1103_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisGcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55_m9D0452CD1962BBA9DAE3FC2B0EC0429F65CF1103_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 *)(GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 *)(&V_0));
GcAchievementData_t5CBCF44628981C91C76C552716A7D551670DCE55 L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.SocialPlatforms.GameCenter.GcScoreData>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A Array_InternalArray__get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_mD10502BEA559D905BB0619CB8D721895595CC9A7_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_mD10502BEA559D905BB0619CB8D721895595CC9A7_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisGcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A_mD10502BEA559D905BB0619CB8D721895595CC9A7_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A *)(GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A *)(&V_0));
GcScoreData_t45EF6CC4038C34CE5823D33D1978C5A3F2E0D09A L_4 = V_0;
return L_4;
}
}
// T System.Array::InternalArray__get_Item<UnityEngine.UnitySynchronizationContext_WorkRequest>(System.Int32)
extern "C" IL2CPP_METHOD_ATTR WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 Array_InternalArray__get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mE136BEFAFFA4D20AC5F03D08E9E761773B432A66_gshared (RuntimeArray * __this, int32_t ___index0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_InternalArray__get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mE136BEFAFFA4D20AC5F03D08E9E761773B432A66_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 V_0;
memset(&V_0, 0, sizeof(V_0));
{
int32_t L_0 = ___index0;
NullCheck((RuntimeArray *)__this);
int32_t L_1 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)__this, /*hidden argument*/NULL);
if ((!(((uint32_t)L_0) >= ((uint32_t)L_1))))
{
goto IL_0014;
}
}
{
ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_2 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var);
ArgumentOutOfRangeException__ctor_m6B36E60C989DC798A8B44556DB35960282B133A6(L_2, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_2, NULL, Array_InternalArray__get_Item_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mE136BEFAFFA4D20AC5F03D08E9E761773B432A66_RuntimeMethod_var);
}
IL_0014:
{
int32_t L_3 = ___index0;
NullCheck((RuntimeArray *)__this);
ArrayGetGenericValueImpl((RuntimeArray *)__this, (int32_t)L_3, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)(&V_0));
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_4 = V_0;
return L_4;
}
}
// T System.Array::UnsafeLoad<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Array_UnsafeLoad_TisKeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B_m8882092DDF50416A52C0344EA23E22A421741486_gshared (KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_3 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )(L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Array::UnsafeLoad<System.Int32>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_UnsafeLoad_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_mA280B8BD39968B72F8DC966D4912D8C4F892920F_gshared (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
int32_t L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Array::UnsafeLoad<System.Int32Enum>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR int32_t Array_UnsafeLoad_TisInt32Enum_t6312CE4586C17FE2E2E513D2E7655B574F10FDCD_mE7C3675ADBE9782510F7FC36BE298932CBDA1AB3_gshared (Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
int32_t L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Array::UnsafeLoad<System.Object>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Array_UnsafeLoad_TisRuntimeObject_mF7D8C97071DB474A614395C952930E9E3E249586_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
RuntimeObject * L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Array::UnsafeLoad<UnityEngine.BeforeRenderHelper_OrderBlock>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 Array_UnsafeLoad_TisOrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727_mEED156545A2169401C6F00D1EDBE0DCBAFEEA27E_gshared (OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Array::UnsafeLoad<UnityEngine.UnitySynchronizationContext_WorkRequest>(T[],System.Int32)
extern "C" IL2CPP_METHOD_ATTR WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 Array_UnsafeLoad_TisWorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94_mAB6878E92EDE4386DDE730A8BED98339AD1D2CB3_gshared (WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ___array0, int32_t ___index1, const RuntimeMethod* method)
{
{
WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_0 = ___array0;
int32_t L_1 = ___index1;
NullCheck(L_0);
int32_t L_2 = L_1;
WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_3 = (L_0)->GetAt(static_cast<il2cpp_array_size_t>(L_2));
return L_3;
}
}
// T System.Reflection.CustomAttributeExtensions::GetCustomAttribute<System.Object>(System.Reflection.Assembly)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * CustomAttributeExtensions_GetCustomAttribute_TisRuntimeObject_mA75245E8BF9FAB8A58686B2B26E4FC342453E774_gshared (Assembly_t * ___element0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (CustomAttributeExtensions_GetCustomAttribute_TisRuntimeObject_mA75245E8BF9FAB8A58686B2B26E4FC342453E774_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
Assembly_t * L_0 = ___element0;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_1 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_2 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_1, /*hidden argument*/NULL);
Attribute_tF048C13FB3C8CFCC53F82290E4A3F621089F9A74 * L_3 = CustomAttributeExtensions_GetCustomAttribute_m4F400BBA3D1EBE458C4CCEC26DF2A5F926AE3F34((Assembly_t *)L_0, (Type_t *)L_2, /*hidden argument*/NULL);
return ((RuntimeObject *)Castclass((RuntimeObject*)L_3, IL2CPP_RGCTX_DATA(method->rgctx_data, 1)));
}
}
// T System.Runtime.CompilerServices.JitHelpers::UnsafeCast<System.Object>(System.Object)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * JitHelpers_UnsafeCast_TisRuntimeObject_m73BCB2D74DD9491AC08870D92BE47CFF9731990C_gshared (RuntimeObject * ___o0, const RuntimeMethod* method)
{
{
RuntimeObject * L_0 = ___o0;
RuntimeObject * L_1 = (( RuntimeObject * (*) (RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return L_1;
}
}
// T System.Runtime.InteropServices.Marshal::PtrToStructure<System.Object>(System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Marshal_PtrToStructure_TisRuntimeObject_mDB88EE58460703A7A664B670DE68020F9D1CAD72_gshared (intptr_t ___ptr0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Marshal_PtrToStructure_TisRuntimeObject_mDB88EE58460703A7A664B670DE68020F9D1CAD72_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
intptr_t L_0 = ___ptr0;
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_1 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_2 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_1, /*hidden argument*/NULL);
IL2CPP_RUNTIME_CLASS_INIT(Marshal_tC795CE9CC2FFBA41EDB1AC1C0FEC04607DFA8A40_il2cpp_TypeInfo_var);
RuntimeObject * L_3 = Marshal_PtrToStructure_mE1821119EAFE83614B6A16D3F14996713502DF43((intptr_t)L_0, (Type_t *)L_2, /*hidden argument*/NULL);
return ((RuntimeObject *)Castclass((RuntimeObject*)L_3, IL2CPP_RGCTX_DATA(method->rgctx_data, 1)));
}
}
// T System.Threading.LazyInitializer::EnsureInitialized<System.Object>(TU26,System.Func`1<T>)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * LazyInitializer_EnsureInitialized_TisRuntimeObject_m7B0E3E50F3847BD7E9A7254C24D6DAA8994F6CC7_gshared (RuntimeObject ** ___target0, Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 * ___valueFactory1, const RuntimeMethod* method)
{
{
RuntimeObject ** L_0 = ___target0;
RuntimeObject * L_1 = VolatileRead((RuntimeObject **)(RuntimeObject **)L_0);
if (!L_1)
{
goto IL_0014;
}
}
{
RuntimeObject ** L_2 = ___target0;
return (*(RuntimeObject **)L_2);
}
IL_0014:
{
RuntimeObject ** L_3 = ___target0;
Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 * L_4 = ___valueFactory1;
RuntimeObject * L_5 = (( RuntimeObject * (*) (RuntimeObject **, Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((RuntimeObject **)(RuntimeObject **)L_3, (Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 *)L_4, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
return L_5;
}
}
// T System.Threading.LazyInitializer::EnsureInitializedCore<System.Object>(TU26,System.Func`1<T>)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * LazyInitializer_EnsureInitializedCore_TisRuntimeObject_m4289829E8C0F3DA67A5B3E27721CF5D1C203CED2_gshared (RuntimeObject ** ___target0, Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 * ___valueFactory1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (LazyInitializer_EnsureInitializedCore_TisRuntimeObject_m4289829E8C0F3DA67A5B3E27721CF5D1C203CED2_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
RuntimeObject * V_1 = NULL;
{
Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 * L_0 = ___valueFactory1;
NullCheck((Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 *)L_0);
RuntimeObject * L_1 = (( RuntimeObject * (*) (Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((Func_1_t59BE545225A69AFD7B2056D169D0083051F6D386 *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
V_0 = (RuntimeObject *)L_1;
RuntimeObject * L_2 = V_0;
if (L_2)
{
goto IL_001f;
}
}
{
String_t* L_3 = Environment_GetResourceString_m2C75C2AF268F01E2BF34AD1C2E1352CF4BA51AD9((String_t*)_stringLiteral64358BBCCF8C380C05E774933982A64691BCEB28, /*hidden argument*/NULL);
InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var);
InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, (String_t*)L_3, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, LazyInitializer_EnsureInitializedCore_TisRuntimeObject_m4289829E8C0F3DA67A5B3E27721CF5D1C203CED2_RuntimeMethod_var);
}
IL_001f:
{
RuntimeObject ** L_5 = ___target0;
RuntimeObject * L_6 = V_0;
il2cpp_codegen_initobj((&V_1), sizeof(RuntimeObject *));
RuntimeObject * L_7 = V_1;
InterlockedCompareExchangeImpl<RuntimeObject *>((RuntimeObject **)(RuntimeObject **)L_5, (RuntimeObject *)L_6, (RuntimeObject *)L_7);
RuntimeObject ** L_8 = ___target0;
return (*(RuntimeObject **)L_8);
}
}
// T System.Threading.Volatile::Read<System.Object>(TU26)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Volatile_Read_TisRuntimeObject_mE1E5C9FEE7986D0DC142899647016794AD72FE41_gshared (RuntimeObject ** ___location0, const RuntimeMethod* method)
{
return VolatileRead(___location0);
}
// T UnityEngine.AttributeHelperEngine::GetCustomAttributeOfType<System.Object>(System.Type)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * AttributeHelperEngine_GetCustomAttributeOfType_TisRuntimeObject_m7AEF0374A18EED15CB2B6318117FDC6364AC2F3B_gshared (Type_t * ___klass0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (AttributeHelperEngine_GetCustomAttributeOfType_TisRuntimeObject_m7AEF0374A18EED15CB2B6318117FDC6364AC2F3B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Type_t * V_0 = NULL;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL;
RuntimeObject * V_2 = NULL;
{
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_1 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_0, /*hidden argument*/NULL);
V_0 = (Type_t *)L_1;
Type_t * L_2 = ___klass0;
Type_t * L_3 = V_0;
NullCheck((MemberInfo_t *)L_2);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = VirtFuncInvoker2< ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, Type_t *, bool >::Invoke(11 /* System.Object[] System.Reflection.MemberInfo::GetCustomAttributes(System.Type,System.Boolean) */, (MemberInfo_t *)L_2, (Type_t *)L_3, (bool)1);
V_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_4;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = V_1;
if (!L_5)
{
goto IL_0031;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = V_1;
NullCheck(L_6);
if (!(((int32_t)((int32_t)(((RuntimeArray *)L_6)->max_length)))))
{
goto IL_0031;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_7 = V_1;
NullCheck(L_7);
int32_t L_8 = 0;
RuntimeObject * L_9 = (L_7)->GetAt(static_cast<il2cpp_array_size_t>(L_8));
V_2 = (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_9, IL2CPP_RGCTX_DATA(method->rgctx_data, 1)));
goto IL_003d;
}
IL_0031:
{
V_2 = (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)NULL, IL2CPP_RGCTX_DATA(method->rgctx_data, 1)));
goto IL_003d;
}
IL_003d:
{
RuntimeObject * L_10 = V_2;
return L_10;
}
}
// T UnityEngine.Component::GetComponent<System.Object>()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Component_GetComponent_TisRuntimeObject_m3FED1FF44F93EF1C3A07526800331B638EF4105B_gshared (Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 * __this, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Component_GetComponent_TisRuntimeObject_m3FED1FF44F93EF1C3A07526800331B638EF4105B_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
CastHelper_1_t72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF V_0;
memset(&V_0, 0, sizeof(V_0));
RuntimeObject * V_1 = NULL;
{
il2cpp_codegen_initobj((&V_0), sizeof(CastHelper_1_t72B003D3B45B7A5BF4E96CDF11BC8BF1CB8467BF ));
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_1 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_0, /*hidden argument*/NULL);
intptr_t* L_2 = (intptr_t*)(&V_0)->get_address_of_onePointerFurtherThanT_1();
intptr_t L_3;
memset(&L_3, 0, sizeof(L_3));
IntPtr__ctor_m6360250F4B87C6AE2F0389DA0DEE1983EED73FB6((&L_3), (void*)(void*)L_2, /*hidden argument*/NULL);
NullCheck((Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 *)__this);
Component_GetComponentFastPath_mDEB49C6B56084E436C7FC3D555339FA16949937E((Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 *)__this, (Type_t *)L_1, (intptr_t)L_3, /*hidden argument*/NULL);
RuntimeObject * L_4 = (RuntimeObject *)(&V_0)->get_t_0();
V_1 = (RuntimeObject *)L_4;
goto IL_0032;
}
IL_0032:
{
RuntimeObject * L_5 = V_1;
return L_5;
}
}
// T UnityEngine.ScriptableObject::CreateInstance<System.Object>()
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * ScriptableObject_CreateInstance_TisRuntimeObject_m7A8F75139352BA04C2EEC1D72D430FAC94C753DE_gshared (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (ScriptableObject_CreateInstance_TisRuntimeObject_m7A8F75139352BA04C2EEC1D72D430FAC94C753DE_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
{
RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->rgctx_data, 0)) };
IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var);
Type_t * L_1 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_0, /*hidden argument*/NULL);
ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 * L_2 = ScriptableObject_CreateInstance_mDC77B7257A5E276CB272D3475B9B473B23A7128D((Type_t *)L_1, /*hidden argument*/NULL);
V_0 = (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_2, IL2CPP_RGCTX_DATA(method->rgctx_data, 1)));
goto IL_001b;
}
IL_001b:
{
RuntimeObject * L_3 = V_0;
return L_3;
}
}
// TOutput[] System.Array::ConvertAll<System.Object,System.Object>(TInput[],System.Converter`2<TInput,TOutput>)
extern "C" IL2CPP_METHOD_ATTR ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 * ___converter1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL;
int32_t V_1 = 0;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_RuntimeMethod_var);
}
IL_000e:
{
Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 * L_2 = ___converter1;
if (L_2)
{
goto IL_001c;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, (String_t*)_stringLiteral2C3199988097E4BB3103E8C34B8DFE8796545D8F, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Array_ConvertAll_TisRuntimeObject_TisRuntimeObject_m4EB6BCB9266D31902A76F2F846B438DDC3B6A79D_RuntimeMethod_var);
}
IL_001c:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___array0;
NullCheck(L_4);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_5 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_4)->max_length)))));
V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_5;
V_1 = (int32_t)0;
goto IL_0041;
}
IL_0029:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = V_0;
int32_t L_7 = V_1;
Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 * L_8 = ___converter1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = ___array0;
int32_t L_10 = V_1;
NullCheck(L_9);
int32_t L_11 = L_10;
RuntimeObject * L_12 = (L_9)->GetAt(static_cast<il2cpp_array_size_t>(L_11));
NullCheck((Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 *)L_8);
RuntimeObject * L_13 = (( RuntimeObject * (*) (Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1)->methodPointer)((Converter_2_t2E64EC99491AE527ACFE8BC9D48EA74E27D7A979 *)L_8, (RuntimeObject *)L_12, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1));
NullCheck(L_6);
(L_6)->SetAt(static_cast<il2cpp_array_size_t>(L_7), (RuntimeObject *)L_13);
int32_t L_14 = V_1;
V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_14, (int32_t)1));
}
IL_0041:
{
int32_t L_15 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = ___array0;
NullCheck(L_16);
if ((((int32_t)L_15) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_16)->max_length)))))))
{
goto IL_0029;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = V_0;
return L_17;
}
}
// TResult System.Threading.Tasks.TaskToApm::End<System.Int32>(System.IAsyncResult)
extern "C" IL2CPP_METHOD_ATTR int32_t TaskToApm_End_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m7A78383A6B69F06EC91BDED0E0F6F3DE02960234_gshared (RuntimeObject* ___asyncResult0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TaskToApm_End_TisInt32_t585191389E07734F19F3156FF88FB3EF4800D102_m7A78383A6B69F06EC91BDED0E0F6F3DE02960234_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * V_0 = NULL;
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * V_1 = NULL;
TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 V_2;
memset(&V_2, 0, sizeof(V_2));
{
RuntimeObject* L_0 = ___asyncResult0;
V_1 = (TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE *)((TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE *)IsInst((RuntimeObject*)L_0, TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE_il2cpp_TypeInfo_var));
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * L_1 = V_1;
if (!L_1)
{
goto IL_0018;
}
}
{
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * L_2 = V_1;
NullCheck(L_2);
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * L_3 = (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_2->get_Task_0();
V_0 = (Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)IsInst((RuntimeObject*)L_3, IL2CPP_RGCTX_DATA(method->rgctx_data, 0)));
goto IL_001f;
}
IL_0018:
{
RuntimeObject* L_4 = ___asyncResult0;
V_0 = (Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->rgctx_data, 0)));
}
IL_001f:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_5 = V_0;
if (L_5)
{
goto IL_0027;
}
}
{
__Error_WrongAsyncResult_m612D2B72EAE5B009FFB4DFD0831140EE6819B909(/*hidden argument*/NULL);
}
IL_0027:
{
Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 * L_6 = V_0;
NullCheck((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)L_6);
TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 L_7 = (( TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 (*) (Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1)->methodPointer)((Task_1_t640F0CBB720BB9CD14B90B7B81624471A9F56D87 *)L_6, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1));
V_2 = (TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 )L_7;
int32_t L_8 = TaskAwaiter_1_GetResult_m0E9661BE4684BA278EE9C6A4EE23FF62AEC86FB9((TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 *)(TaskAwaiter_1_t76D3FA58DD26D9E230E85DA513E242AC5927BE24 *)(&V_2), /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
return L_8;
}
}
// TResult System.Threading.Tasks.TaskToApm::End<System.Object>(System.IAsyncResult)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * TaskToApm_End_TisRuntimeObject_m5B4926B1E892216126696393D8316A1E707B9A85_gshared (RuntimeObject* ___asyncResult0, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (TaskToApm_End_TisRuntimeObject_m5B4926B1E892216126696393D8316A1E707B9A85_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * V_0 = NULL;
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * V_1 = NULL;
TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 V_2;
memset(&V_2, 0, sizeof(V_2));
{
RuntimeObject* L_0 = ___asyncResult0;
V_1 = (TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE *)((TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE *)IsInst((RuntimeObject*)L_0, TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE_il2cpp_TypeInfo_var));
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * L_1 = V_1;
if (!L_1)
{
goto IL_0018;
}
}
{
TaskWrapperAsyncResult_t27D147DA04A6C23A69D2663E205435DC3567E2FE * L_2 = V_1;
NullCheck(L_2);
Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 * L_3 = (Task_t1F48C203E163126EBC69ACCA679D1A462DEE9EB2 *)L_2->get_Task_0();
V_0 = (Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)IsInst((RuntimeObject*)L_3, IL2CPP_RGCTX_DATA(method->rgctx_data, 0)));
goto IL_001f;
}
IL_0018:
{
RuntimeObject* L_4 = ___asyncResult0;
V_0 = (Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->rgctx_data, 0)));
}
IL_001f:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_5 = V_0;
if (L_5)
{
goto IL_0027;
}
}
{
__Error_WrongAsyncResult_m612D2B72EAE5B009FFB4DFD0831140EE6819B909(/*hidden argument*/NULL);
}
IL_0027:
{
Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 * L_6 = V_0;
NullCheck((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)L_6);
TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 L_7 = (( TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 (*) (Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1)->methodPointer)((Task_1_tA56001ED5270173CA1432EDFCD84EABB1024BC09 *)L_6, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1));
V_2 = (TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 )L_7;
RuntimeObject * L_8 = TaskAwaiter_1_GetResult_m9E148849CD4747E1BDD831E4FB2D7ECFA13C11C8((TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 *)(TaskAwaiter_1_t8CDB78D2A4D48E80C35A8FF6FC04A82B9FC35977 *)(&V_2), /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
return L_8;
}
}
// TSource System.Linq.Enumerable::SingleOrDefault<System.Object>(System.Collections.Generic.IEnumerable`1<TSource>,System.Func`2<TSource,System.Boolean>)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_gshared (RuntimeObject* ___source0, Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC * ___predicate1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
int64_t V_1 = 0;
RuntimeObject* V_2 = NULL;
RuntimeObject * V_3 = NULL;
RuntimeObject * V_4 = NULL;
Exception_t * __last_unhandled_exception = 0;
NO_UNUSED_WARNING (__last_unhandled_exception);
Exception_t * __exception_local = 0;
NO_UNUSED_WARNING (__exception_local);
int32_t __leave_target = -1;
NO_UNUSED_WARNING (__leave_target);
{
RuntimeObject* L_0 = ___source0;
if (L_0)
{
goto IL_000e;
}
}
{
Exception_t * L_1 = Error_ArgumentNull_mCA126ED8F4F3B343A70E201C44B3A509690F1EA7((String_t*)_stringLiteral828D338A9B04221C9CBE286F50CD389F68DE4ECF, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_RuntimeMethod_var);
}
IL_000e:
{
Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC * L_2 = ___predicate1;
if (L_2)
{
goto IL_001c;
}
}
{
Exception_t * L_3 = Error_ArgumentNull_mCA126ED8F4F3B343A70E201C44B3A509690F1EA7((String_t*)_stringLiteral04444310B8C9D216A6BC1D1CC9542ECC75BC02DF, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_RuntimeMethod_var);
}
IL_001c:
{
il2cpp_codegen_initobj((&V_0), sizeof(RuntimeObject *));
V_1 = (int64_t)(((int64_t)((int64_t)0)));
RuntimeObject* L_4 = ___source0;
NullCheck((RuntimeObject*)L_4);
RuntimeObject* L_5 = InterfaceFuncInvoker0< RuntimeObject* >::Invoke(0 /* System.Collections.Generic.IEnumerator`1<!0> System.Collections.Generic.IEnumerable`1<System.Object>::GetEnumerator() */, IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (RuntimeObject*)L_4);
V_2 = (RuntimeObject*)L_5;
}
IL_002e:
try
{ // begin try (depth: 1)
{
goto IL_0047;
}
IL_0030:
{
RuntimeObject* L_6 = V_2;
NullCheck((RuntimeObject*)L_6);
RuntimeObject * L_7 = InterfaceFuncInvoker0< RuntimeObject * >::Invoke(0 /* !0 System.Collections.Generic.IEnumerator`1<System.Object>::get_Current() */, IL2CPP_RGCTX_DATA(method->rgctx_data, 1), (RuntimeObject*)L_6);
V_3 = (RuntimeObject *)L_7;
Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC * L_8 = ___predicate1;
RuntimeObject * L_9 = V_3;
NullCheck((Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC *)L_8);
bool L_10 = (( bool (*) (Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((Func_2_t4B4B1E74248F38404B56001A709D81142DE730CC *)L_8, (RuntimeObject *)L_9, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
if (!L_10)
{
goto IL_0047;
}
}
IL_0040:
{
RuntimeObject * L_11 = V_3;
V_0 = (RuntimeObject *)L_11;
int64_t L_12 = V_1;
if (il2cpp_codegen_check_add_overflow((int64_t)L_12, (int64_t)(((int64_t)((int64_t)1)))))
IL2CPP_RAISE_MANAGED_EXCEPTION(il2cpp_codegen_get_overflow_exception(), NULL, Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_RuntimeMethod_var);
V_1 = (int64_t)((int64_t)il2cpp_codegen_add((int64_t)L_12, (int64_t)(((int64_t)((int64_t)1)))));
}
IL_0047:
{
RuntimeObject* L_13 = V_2;
NullCheck((RuntimeObject*)L_13);
bool L_14 = InterfaceFuncInvoker0< bool >::Invoke(0 /* System.Boolean System.Collections.IEnumerator::MoveNext() */, IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A_il2cpp_TypeInfo_var, (RuntimeObject*)L_13);
if (L_14)
{
goto IL_0030;
}
}
IL_004f:
{
IL2CPP_LEAVE(0x5B, FINALLY_0051);
}
} // end try (depth: 1)
catch(Il2CppExceptionWrapper& e)
{
__last_unhandled_exception = (Exception_t *)e.ex;
goto FINALLY_0051;
}
FINALLY_0051:
{ // begin finally (depth: 1)
{
RuntimeObject* L_15 = V_2;
if (!L_15)
{
goto IL_005a;
}
}
IL_0054:
{
RuntimeObject* L_16 = V_2;
NullCheck((RuntimeObject*)L_16);
InterfaceActionInvoker0::Invoke(0 /* System.Void System.IDisposable::Dispose() */, IDisposable_t7218B22548186B208D65EA5B7870503810A2D15A_il2cpp_TypeInfo_var, (RuntimeObject*)L_16);
}
IL_005a:
{
IL2CPP_RESET_LEAVE(0x5B);
IL2CPP_END_FINALLY(81)
}
} // end finally (depth: 1)
IL2CPP_CLEANUP(81)
{
IL2CPP_JUMP_TBL(0x5B, IL_005b)
IL2CPP_RETHROW_IF_UNHANDLED(Exception_t *)
}
IL_005b:
{
int64_t L_17 = V_1;
if (!L_17)
{
goto IL_0065;
}
}
{
int64_t L_18 = V_1;
if ((((int64_t)L_18) == ((int64_t)(((int64_t)((int64_t)1))))))
{
goto IL_0070;
}
}
{
goto IL_0072;
}
IL_0065:
{
il2cpp_codegen_initobj((&V_4), sizeof(RuntimeObject *));
RuntimeObject * L_19 = V_4;
return L_19;
}
IL_0070:
{
RuntimeObject * L_20 = V_0;
return L_20;
}
IL_0072:
{
Exception_t * L_21 = Error_MoreThanOneMatch_m85C3617F782E9F2333FC1FDF42821BE069F24623(/*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_21, NULL, Enumerable_SingleOrDefault_TisRuntimeObject_m4C9F6C91DBB44BA8D94999E3EC7EF87729B81802_RuntimeMethod_var);
}
}
// TValue System.Collections.Generic.CollectionExtensions::GetValueOrDefault<System.Object,System.Object>(System.Collections.Generic.IReadOnlyDictionary`2<TKey,TValue>,TKey)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m65245601C668347780A2F6D1A8D7EEC7D79AD673_gshared (RuntimeObject* ___dictionary0, RuntimeObject * ___key1, const RuntimeMethod* method)
{
RuntimeObject * V_0 = NULL;
{
RuntimeObject* L_0 = ___dictionary0;
RuntimeObject * L_1 = ___key1;
il2cpp_codegen_initobj((&V_0), sizeof(RuntimeObject *));
RuntimeObject * L_2 = V_0;
RuntimeObject * L_3 = (( RuntimeObject * (*) (RuntimeObject*, RuntimeObject *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)((RuntimeObject*)L_0, (RuntimeObject *)L_1, (RuntimeObject *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
return L_3;
}
}
// TValue System.Collections.Generic.CollectionExtensions::GetValueOrDefault<System.Object,System.Object>(System.Collections.Generic.IReadOnlyDictionary`2<TKey,TValue>,TKey,TValue)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject * CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m5D116C3383F95724C01C628C0D0069F3D7F65621_gshared (RuntimeObject* ___dictionary0, RuntimeObject * ___key1, RuntimeObject * ___defaultValue2, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m5D116C3383F95724C01C628C0D0069F3D7F65621_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
RuntimeObject * V_0 = NULL;
{
RuntimeObject* L_0 = ___dictionary0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteralF18BFB74E613AFB11F36BDD80CF05CD5DFAD98D6, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, CollectionExtensions_GetValueOrDefault_TisRuntimeObject_TisRuntimeObject_m5D116C3383F95724C01C628C0D0069F3D7F65621_RuntimeMethod_var);
}
IL_000e:
{
RuntimeObject* L_2 = ___dictionary0;
RuntimeObject * L_3 = ___key1;
NullCheck((RuntimeObject*)L_2);
bool L_4 = InterfaceFuncInvoker2< bool, RuntimeObject *, RuntimeObject ** >::Invoke(0 /* System.Boolean System.Collections.Generic.IReadOnlyDictionary`2<System.Object,System.Object>::TryGetValue(TKey,TValue&) */, IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (RuntimeObject*)L_2, (RuntimeObject *)L_3, (RuntimeObject **)(RuntimeObject **)(&V_0));
if (L_4)
{
goto IL_001b;
}
}
{
RuntimeObject * L_5 = ___defaultValue2;
return L_5;
}
IL_001b:
{
RuntimeObject * L_6 = V_0;
return L_6;
}
}
// T[] System.Array::Empty<System.Char>()
extern "C" IL2CPP_METHOD_ATTR CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* Array_Empty_TisChar_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_mB69B3E7C1276AE609F2B9FA977634893619F966D_gshared (const RuntimeMethod* method)
{
{
IL2CPP_RUNTIME_CLASS_INIT(IL2CPP_RGCTX_DATA(method->rgctx_data, 0));
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_0 = ((EmptyArray_1_t40AF87279AA6E3AEEABB0CBA1425F6720C40961A_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(method->rgctx_data, 0)))->get_Value_0();
return L_0;
}
}
// T[] System.Array::Empty<System.Object>()
extern "C" IL2CPP_METHOD_ATTR ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* Array_Empty_TisRuntimeObject_m9CF99326FAC8A01A4A25C90AA97F0799BA35ECAB_gshared (const RuntimeMethod* method)
{
{
IL2CPP_RUNTIME_CLASS_INIT(IL2CPP_RGCTX_DATA(method->rgctx_data, 0));
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ((EmptyArray_1_tCF137C88A5824F413EFB5A2F31664D8207E61D26_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(method->rgctx_data, 0)))->get_Value_0();
return L_0;
}
}
// T[] System.Array::FindAll<System.Object>(T[],System.Predicate`1<T>)
extern "C" IL2CPP_METHOD_ATTR ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * ___match1, const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
int32_t V_0 = 0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL;
int32_t V_2 = 0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** G_B9_0 = NULL;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** G_B8_0 = NULL;
int32_t G_B10_0 = 0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** G_B10_1 = NULL;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0;
if (L_0)
{
goto IL_000e;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_RuntimeMethod_var);
}
IL_000e:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_2 = ___match1;
if (L_2)
{
goto IL_001c;
}
}
{
ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_3 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var);
ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_3, (String_t*)_stringLiteralEF5C844EAB88BCACA779BD2F3AD67B573BBBBFCA, /*hidden argument*/NULL);
IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Array_FindAll_TisRuntimeObject_mA98E5A13A8737A1E5CD968D85C81A5275D98270D_RuntimeMethod_var);
}
IL_001c:
{
V_0 = (int32_t)0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = (( ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 0));
V_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_4;
V_2 = (int32_t)0;
goto IL_006b;
}
IL_0028:
{
Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 * L_5 = ___match1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_6 = ___array0;
int32_t L_7 = V_2;
NullCheck(L_6);
int32_t L_8 = L_7;
RuntimeObject * L_9 = (L_6)->GetAt(static_cast<il2cpp_array_size_t>(L_8));
NullCheck((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_5);
bool L_10 = (( bool (*) (Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1)->methodPointer)((Predicate_1_t4AA10EFD4C5497CA1CD0FE35A6AF5990FF5D0979 *)L_5, (RuntimeObject *)L_9, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 1));
if (!L_10)
{
goto IL_0067;
}
}
{
int32_t L_11 = V_0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_12 = V_1;
NullCheck(L_12);
if ((!(((uint32_t)L_11) == ((uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_12)->max_length))))))))
{
goto IL_0055;
}
}
{
int32_t L_13 = V_0;
G_B8_0 = (&V_1);
if (!L_13)
{
G_B9_0 = (&V_1);
goto IL_0047;
}
}
{
int32_t L_14 = V_0;
G_B10_0 = ((int32_t)il2cpp_codegen_multiply((int32_t)L_14, (int32_t)2));
G_B10_1 = G_B8_0;
goto IL_0048;
}
IL_0047:
{
G_B10_0 = 4;
G_B10_1 = G_B9_0;
}
IL_0048:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = ___array0;
NullCheck(L_15);
IL2CPP_RUNTIME_CLASS_INIT(Math_tFB388E53C7FDC6FCCF9A19ABF5A4E521FBD52E19_il2cpp_TypeInfo_var);
int32_t L_16 = Math_Min_mC950438198519FB2B0260FCB91220847EE4BB525((int32_t)G_B10_0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_15)->max_length)))), /*hidden argument*/NULL);
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**)G_B10_1, (int32_t)L_16, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
}
IL_0055:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = V_1;
int32_t L_18 = V_0;
int32_t L_19 = (int32_t)L_18;
V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_19, (int32_t)1));
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = ___array0;
int32_t L_21 = V_2;
NullCheck(L_20);
int32_t L_22 = L_21;
RuntimeObject * L_23 = (L_20)->GetAt(static_cast<il2cpp_array_size_t>(L_22));
NullCheck(L_17);
(L_17)->SetAt(static_cast<il2cpp_array_size_t>(L_19), (RuntimeObject *)L_23);
}
IL_0067:
{
int32_t L_24 = V_2;
V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_24, (int32_t)1));
}
IL_006b:
{
int32_t L_25 = V_2;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_26 = ___array0;
NullCheck(L_26);
if ((((int32_t)L_25) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_26)->max_length)))))))
{
goto IL_0028;
}
}
{
int32_t L_27 = V_0;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_28 = V_1;
NullCheck(L_28);
if ((((int32_t)L_27) == ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_28)->max_length)))))))
{
goto IL_007f;
}
}
{
int32_t L_29 = V_0;
(( void (*) (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2)->methodPointer)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A**)(&V_1), (int32_t)L_29, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->rgctx_data, 2));
}
IL_007f:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_30 = V_1;
return L_30;
}
}
// T[] System.Reflection.CustomAttributeData::UnboxValues<System.Object>(System.Object[])
extern "C" IL2CPP_METHOD_ATTR ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* CustomAttributeData_UnboxValues_TisRuntimeObject_mFB1257FB7BD27255281B2111A20203E3A93E7050_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___values0, const RuntimeMethod* method)
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL;
int32_t V_1 = 0;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___values0;
NullCheck(L_0);
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_0)->max_length)))));
V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_1;
V_1 = (int32_t)0;
goto IL_0020;
}
IL_000d:
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_2 = V_0;
int32_t L_3 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___values0;
int32_t L_5 = V_1;
NullCheck(L_4);
int32_t L_6 = L_5;
RuntimeObject * L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6));
NullCheck(L_2);
(L_2)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_7, IL2CPP_RGCTX_DATA(method->rgctx_data, 1))));
int32_t L_8 = V_1;
V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1));
}
IL_0020:
{
int32_t L_9 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = ___values0;
NullCheck(L_10);
if ((((int32_t)L_9) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_10)->max_length)))))))
{
goto IL_000d;
}
}
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = V_0;
return L_11;
}
}
// T[] System.Reflection.CustomAttributeData::UnboxValues<System.Reflection.CustomAttributeNamedArgument>(System.Object[])
extern "C" IL2CPP_METHOD_ATTR CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828* CustomAttributeData_UnboxValues_TisCustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E_mC152FBD94252DA2417B7773AE16C51154C9F6A72_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___values0, const RuntimeMethod* method)
{
CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828* V_0 = NULL;
int32_t V_1 = 0;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___values0;
NullCheck(L_0);
CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828* L_1 = (CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828*)SZArrayNew(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_0)->max_length)))));
V_0 = (CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828*)L_1;
V_1 = (int32_t)0;
goto IL_0020;
}
IL_000d:
{
CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828* L_2 = V_0;
int32_t L_3 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___values0;
int32_t L_5 = V_1;
NullCheck(L_4);
int32_t L_6 = L_5;
RuntimeObject * L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6));
NullCheck(L_2);
(L_2)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E )((*(CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)((CustomAttributeNamedArgument_t08BA731A94FD7F173551DF3098384CB9B3056E9E *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->rgctx_data, 1))))));
int32_t L_8 = V_1;
V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1));
}
IL_0020:
{
int32_t L_9 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = ___values0;
NullCheck(L_10);
if ((((int32_t)L_9) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_10)->max_length)))))))
{
goto IL_000d;
}
}
{
CustomAttributeNamedArgumentU5BU5D_tFD37F6CE782EF87006B5F999D53A711D1A7B9828* L_11 = V_0;
return L_11;
}
}
// T[] System.Reflection.CustomAttributeData::UnboxValues<System.Reflection.CustomAttributeTypedArgument>(System.Object[])
extern "C" IL2CPP_METHOD_ATTR CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05* CustomAttributeData_UnboxValues_TisCustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8_m846F81B95C445180214406E0D355EBA8EC9644D1_gshared (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___values0, const RuntimeMethod* method)
{
CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05* V_0 = NULL;
int32_t V_1 = 0;
{
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___values0;
NullCheck(L_0);
CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05* L_1 = (CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05*)SZArrayNew(IL2CPP_RGCTX_DATA(method->rgctx_data, 0), (uint32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_0)->max_length)))));
V_0 = (CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05*)L_1;
V_1 = (int32_t)0;
goto IL_0020;
}
IL_000d:
{
CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05* L_2 = V_0;
int32_t L_3 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___values0;
int32_t L_5 = V_1;
NullCheck(L_4);
int32_t L_6 = L_5;
RuntimeObject * L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6));
NullCheck(L_2);
(L_2)->SetAt(static_cast<il2cpp_array_size_t>(L_3), (CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 )((*(CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)((CustomAttributeTypedArgument_t238ACCB3A438CB5EDE4A924C637B288CCEC958E8 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->rgctx_data, 1))))));
int32_t L_8 = V_1;
V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_8, (int32_t)1));
}
IL_0020:
{
int32_t L_9 = V_1;
ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_10 = ___values0;
NullCheck(L_10);
if ((((int32_t)L_9) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray *)L_10)->max_length)))))))
{
goto IL_000d;
}
}
{
CustomAttributeTypedArgumentU5BU5D_t9F6789B0E2215365EA8161484FC1E4B6F9446C05* L_11 = V_0;
return L_11;
}
}
| [
"[email protected]"
] | |
8691c9b5d043d024bf94ce2f000e93f9a230ccd2 | fc214bfc7caf6050eec8ec5201e7f7eb568e3a17 | /Windows/Qt/Qt5.12-msvc2019_static_64/5.12/msvc2019_static_64/include/QtWebSockets/5.12.12/QtWebSockets/private/qwebsocket_p.h | fc041ea0622f7614f89b329e8e3ac7da427b0ef3 | [] | no_license | MediaArea/MediaArea-Utils-Binaries | 44402a1dacb43e19ef6857da46a48289b106137d | 5cde31480dba6092e195dfae96478c261018bf32 | refs/heads/master | 2023-09-01T04:54:34.216269 | 2023-04-11T08:44:15 | 2023-04-11T08:44:15 | 57,366,211 | 4 | 1 | null | 2023-04-11T08:44:16 | 2016-04-29T07:51:36 | C++ | UTF-8 | C++ | false | false | 9,097 | h | /****************************************************************************
**
** Copyright (C) 2016 Kurt Pattyn <[email protected]>.
** Contact: https://www.qt.io/licensing/
**
** This file is part of the QtWebSockets module of the Qt Toolkit.
**
** $QT_BEGIN_LICENSE:LGPL$
** Commercial License Usage
** Licensees holding valid commercial Qt licenses may use this file in
** accordance with the commercial license agreement provided with the
** Software or, alternatively, in accordance with the terms contained in
** a written agreement between you and The Qt Company. For licensing terms
** and conditions see https://www.qt.io/terms-conditions. For further
** information use the contact form at https://www.qt.io/contact-us.
**
** GNU Lesser General Public License Usage
** Alternatively, this file may be used under the terms of the GNU Lesser
** General Public License version 3 as published by the Free Software
** Foundation and appearing in the file LICENSE.LGPL3 included in the
** packaging of this file. Please review the following information to
** ensure the GNU Lesser General Public License version 3 requirements
** will be met: https://www.gnu.org/licenses/lgpl-3.0.html.
**
** GNU General Public License Usage
** Alternatively, this file may be used under the terms of the GNU
** General Public License version 2.0 or (at your option) the GNU General
** Public license version 3 or any later version approved by the KDE Free
** Qt Foundation. The licenses are as published by the Free Software
** Foundation and appearing in the file LICENSE.GPL2 and LICENSE.GPL3
** included in the packaging of this file. Please review the following
** information to ensure the GNU General Public License requirements will
** be met: https://www.gnu.org/licenses/gpl-2.0.html and
** https://www.gnu.org/licenses/gpl-3.0.html.
**
** $QT_END_LICENSE$
**
****************************************************************************/
#ifndef QWEBSOCKET_P_H
#define QWEBSOCKET_P_H
//
// W A R N I N G
// -------------
//
// This file is not part of the Qt API. It exists purely as an
// implementation detail. This header file may change from version to
// version without notice, or even be removed.
//
// We mean it.
//
#include <QtCore/QUrl>
#include <QtNetwork/QTcpSocket>
#include <QtNetwork/QHostAddress>
#ifndef QT_NO_NETWORKPROXY
#include <QtNetwork/QNetworkProxy>
#endif
#ifndef QT_NO_SSL
#include <QtNetwork/QSslConfiguration>
#include <QtNetwork/QSslError>
#include <QtNetwork/QSslSocket>
#endif
#include <QtCore/QTime>
#include <private/qobject_p.h>
#include "qwebsocket.h"
#include "qwebsocketprotocol.h"
#include "qwebsocketdataprocessor_p.h"
#include "qdefaultmaskgenerator_p.h"
#ifdef Q_OS_WASM
#include <emscripten/val.h>
#endif
QT_BEGIN_NAMESPACE
class QWebSocketHandshakeRequest;
class QWebSocketHandshakeResponse;
class QTcpSocket;
class QWebSocket;
class QMaskGenerator;
struct QWebSocketConfiguration
{
Q_DISABLE_COPY(QWebSocketConfiguration)
public:
QWebSocketConfiguration();
public:
#ifndef QT_NO_SSL
QSslConfiguration m_sslConfiguration;
QList<QSslError> m_ignoredSslErrors;
bool m_ignoreSslErrors;
#endif
#ifndef QT_NO_NETWORKPROXY
QNetworkProxy m_proxy;
#endif
QTcpSocket *m_pSocket;
};
class QWebSocketPrivate : public QObjectPrivate
{
Q_DISABLE_COPY(QWebSocketPrivate)
public:
Q_DECLARE_PUBLIC(QWebSocket)
explicit QWebSocketPrivate(const QString &origin,
QWebSocketProtocol::Version version);
~QWebSocketPrivate() override;
void init();
void abort();
QAbstractSocket::SocketError error() const;
QString errorString() const;
bool flush();
bool isValid() const;
QHostAddress localAddress() const;
quint16 localPort() const;
QAbstractSocket::PauseModes pauseMode() const;
QHostAddress peerAddress() const;
QString peerName() const;
quint16 peerPort() const;
#ifndef QT_NO_NETWORKPROXY
QNetworkProxy proxy() const;
void setProxy(const QNetworkProxy &networkProxy);
#endif
void setMaskGenerator(const QMaskGenerator *maskGenerator);
const QMaskGenerator *maskGenerator() const;
qint64 readBufferSize() const;
void resume();
void setPauseMode(QAbstractSocket::PauseModes pauseMode);
void setReadBufferSize(qint64 size);
QAbstractSocket::SocketState state() const;
QWebSocketProtocol::Version version() const;
QString resourceName() const;
QNetworkRequest request() const;
QString origin() const;
QString protocol() const;
QString extension() const;
QWebSocketProtocol::CloseCode closeCode() const;
QString closeReason() const;
qint64 sendTextMessage(const QString &message);
qint64 sendBinaryMessage(const QByteArray &data);
#ifndef QT_NO_SSL
void ignoreSslErrors(const QList<QSslError> &errors);
void ignoreSslErrors();
void setSslConfiguration(const QSslConfiguration &sslConfiguration);
QSslConfiguration sslConfiguration() const;
void _q_updateSslConfiguration();
#endif
void closeGoingAway();
void close(QWebSocketProtocol::CloseCode closeCode, QString reason);
void open(const QNetworkRequest &request, bool mask);
void ping(const QByteArray &payload);
void setSocketState(QAbstractSocket::SocketState state);
private:
QWebSocketPrivate(QTcpSocket *pTcpSocket, QWebSocketProtocol::Version version);
void setVersion(QWebSocketProtocol::Version version);
void setResourceName(const QString &resourceName);
void setRequest(const QNetworkRequest &request);
void setOrigin(const QString &origin);
void setProtocol(const QString &protocol);
void setExtension(const QString &extension);
void enableMasking(bool enable);
void setErrorString(const QString &errorString);
void socketDestroyed(QObject *socket);
void processData();
void processPing(const QByteArray &data);
void processPong(const QByteArray &data);
void processClose(QWebSocketProtocol::CloseCode closeCode, QString closeReason);
void processHandshake(QTcpSocket *pSocket);
void processStateChanged(QAbstractSocket::SocketState socketState);
Q_REQUIRED_RESULT qint64 doWriteFrames(const QByteArray &data, bool isBinary);
void makeConnections(const QTcpSocket *pTcpSocket);
void releaseConnections(const QTcpSocket *pTcpSocket);
QByteArray getFrameHeader(QWebSocketProtocol::OpCode opCode, quint64 payloadLength,
quint32 maskingKey, bool lastFrame);
QString calculateAcceptKey(const QByteArray &key) const;
QString createHandShakeRequest(QString resourceName,
QString host,
QString origin,
QString extensions,
QString protocols,
QByteArray key,
const QList<QPair<QString, QString> > &headers);
Q_REQUIRED_RESULT static QWebSocket *
upgradeFrom(QTcpSocket *tcpSocket,
const QWebSocketHandshakeRequest &request,
const QWebSocketHandshakeResponse &response,
QObject *parent = nullptr);
quint32 generateMaskingKey() const;
QByteArray generateKey() const;
Q_REQUIRED_RESULT qint64 writeFrames(const QList<QByteArray> &frames);
Q_REQUIRED_RESULT qint64 writeFrame(const QByteArray &frame);
QTcpSocket *m_pSocket;
QString m_errorString;
QWebSocketProtocol::Version m_version;
QUrl m_resource;
QString m_resourceName;
QNetworkRequest m_request;
QString m_origin;
QString m_protocol;
QString m_extension;
QAbstractSocket::SocketState m_socketState;
QAbstractSocket::PauseModes m_pauseMode;
qint64 m_readBufferSize;
QByteArray m_key; //identification key used in handshake requests
bool m_mustMask; //a server must not mask the frames it sends
bool m_isClosingHandshakeSent;
bool m_isClosingHandshakeReceived;
QWebSocketProtocol::CloseCode m_closeCode;
QString m_closeReason;
QTime m_pingTimer;
QWebSocketDataProcessor m_dataProcessor;
QWebSocketConfiguration m_configuration;
QMaskGenerator *m_pMaskGenerator;
QDefaultMaskGenerator m_defaultMaskGenerator;
enum HandshakeState {
NothingDoneState,
ReadingStatusState,
ReadingHeaderState,
ParsingHeaderState,
AllDoneState
} m_handshakeState;
QByteArray m_statusLine;
int m_httpStatusCode;
int m_httpMajorVersion, m_httpMinorVersion;
QString m_httpStatusMessage;
QMap<QString, QString> m_headers;
friend class QWebSocketServerPrivate;
#ifdef Q_OS_WASM
emscripten::val socketContext = emscripten::val::null();
#endif
};
QT_END_NAMESPACE
#endif // QWEBSOCKET_H
| [
"[email protected]"
] | |
b9a1c576a26e043037acf5cf15db477799803d8f | 2fd8585f9aeed1f868a5ed76db55df7a3519999b | /大学平均分计算/Debug/大学平均分计算.cpp | 58b43298317cb0ae7be993d386db647c3d10eace | [] | no_license | LearnerForever666/first_C_language | dfcf4e7972d12f2529ef8d40433e25e8f2628735 | 653663a4071b60dad1782c42442f81f25c691e6f | refs/heads/main | 2023-05-31T20:11:07.936834 | 2021-07-15T14:44:52 | 2021-07-15T14:44:52 | 385,847,558 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 1,214 | cpp | #include<stdio.h>
int main()
{
int i,j=0,s;//s用于接收课程数量
char ah[35][50];
float ch[2][35],ave,smpt,sum;//ave为折合平均分,smpt为学分总和,sum为学科学分折合总分
printf("欢迎使用本工具\n");
j=0,i=0;
while(j==0)
{
printf("请输入科目名称:>");
scanf("%s",&ah[i][0]);
i++;
printf("是否结束录入?1-是,0-否 :>");
scanf("%d",&j);
};
s=i;
j=0,i=0;
while(j==0)
{
printf("请输入%s成绩:>",ah[i]);
scanf("%f",&ch[0][i]);
i++;
if(i==s)
j=1;
};
j=0,i=0;
while(j==0)
{
printf("请输入%s学分:>",ah[i]);
scanf("%f",&ch[1][i]);
i++;
if(i==s)
j=1;
};
sum=0,smpt=0;
for(i=0;i<s;i++)
{
sum+=ch[0][i]*ch[1][i];
smpt+=ch[1][i];
};
ave=sum/smpt;
printf("成绩单如下\n");
printf("课程 ");
for(i=0;i<s;i++)
{
printf("%s ",ah[i]);
};
printf("\n");
printf("成绩 ");
for(i=0;i<s;i++)
{
printf("%f ",ch[0][i]);
};
printf("\n");
printf("学分 ");
for(i=0;i<s;i++)
{
printf("%f ",ch[1][i]);
};
printf("\n");
printf("学分折合总分为%f\n",sum);
printf("学分平均分为%f\n",ave);
return 0;
}
| [
"[email protected]"
] | |
ad0de2265d53d3ed3a641ed300a013b1b9066183 | c7be19b54dea27822b4c61315e8fd4ac4619ccd5 | /src/app/Settings.cpp | 2691152d163aa7f0e9ae8277736f9d4eed4d0edc | [
"MIT"
] | permissive | nununo/ofHyphaeApp | 5e638fab2a29504784fc164ab239e9f2bf4c5420 | 5b566ffc6e46c51f5349dcc3970c020527ecb5d3 | refs/heads/master | 2023-01-13T16:01:31.353516 | 2023-01-01T19:04:13 | 2023-01-01T19:04:13 | 164,502,159 | 5 | 0 | null | 2023-01-01T19:04:14 | 2019-01-07T21:51:20 | C++ | UTF-8 | C++ | false | false | 3,840 | cpp | //
// Settings.cpp
// hyphaeApp
//
// Created by Nuno on 27/01/2019.
//
#include "Settings.h"
Settings::Settings(const string& xmlFile) {
ofxXmlSettings s;
s.loadFile(xmlFile);
canvas.framerate = s.getValue("rhizopus:canvas:framerate", 1); // 120
canvas.osdColor = getColor(s, "rhizopus:canvas:osdColor");
canvas.osdActive = (bool)s.getValue("rhizopus:canvas:osdActive", false);
canvas.backgroundColor = getColor(s, "rhizopus:canvas:backgroundColor");
canvas.antialiasing = (bool)s.getValue("rhizopus:canvas:antialiasing", true);
canvas.logToFile = (bool)s.getValue("rhizopus:canvas:logToFile", true);
canvas.mourningTime = s.getValue("rhizopus:canvas:mourningTime", 0); // 5
canvas.fadeoutTime = s.getValue("rhizopus:canvas:fadeoutTime", 0); // 5
canvas.idleTime = s.getValue("rhizopus:canvas:idleTime", 0); // 5
canvas.saveScreen = (bool)s.getValue("rhizopus:canvas:saveScreen", false);
hyphae.border.distortion = s.getValue("rhizopus:hyphae:border:distortion", 0.0f); // 0.7
hyphae.border.radius = getRange(s, "rhizopus:hyphae:border:radius", 10);
hyphae.border.ratioVariation = getRange(s, "rhizopus:hyphae:border:ratioVariation", 1);
hyphae.dyingPixels = s.getValue("rhizopus:hyphae:dyingPixels", 0); // 20
hyphae.creationAreaSize = s.getValue("rhizopus:hyphae:creationAreaSize", 1000); // 40
hyphae.primalHyphaCount = getSet(s, "rhizopus:hyphae:primalHyphaCount");
hyphae.newPrimalHyphaPeriod = getRange(s, "rhizopus:hyphae:newPrimalHyphaPeriod", 0.0f); // 100
hyphae.maxHyphaCount = getSet(s, "rhizopus:hyphae:maxHyphaCount");
hyphae.euthanasiaPercentage = s.getValue("rhizopus:hyphae:euthanasiaPercentage", 100.0f) / 100.0f; // 10.0f
hyphae.dyingOutsidePercentage = s.getValue("rhizopus:hyphae:dyingOutsidePercentage", 100.0f) / 100.0f; // 10.0f
hyphae.hypha.color = getColor(s, "rhizopus:hyphae:hypha:color");
hyphae.hypha.speed = s.getValue("rhizopus:hyphae:hypha:speed", 1.0f) / canvas.framerate; // pixels/second
hyphae.hypha.speedVariation = s.getValue("rhizopus:hyphae:hypha:speedVariation", 0.0f); // 10%
hyphae.hypha.pixelOverlap = s.getValue("rhizopus:hyphae:hypha:pixelOverlap", 0.0f); // 0.9f
hyphae.hypha.maxForkAngle = getRange(s, "rhizopus:hyphae:hypha:maxForkAngle", 1.0f); // 90
hyphae.hypha.maxBendAngle = getRange(s, "rhizopus:hyphae:hypha:maxBendAngle", 0.0f); // 1
hyphae.hypha.maxBentAngle = getRange(s, "rhizopus:hyphae:hypha:maxBentAngle", 0.0f); // 80
hyphae.hypha.fertilityRatio = getSet(s, "rhizopus:hyphae:hypha:fertilityRatio"); // 1.0f
}
int Settings::pushTags(ofxXmlSettings &s, const string& xmlPath) {
int pos;
int levels = 0;
string tag = xmlPath;
do {
pos = tag.find(":");
string tagToFind((pos > 0) ? tag.substr(0,pos) :tag);
s.pushTag(tagToFind);
levels++;
if (pos>0) {
tag = tag.substr(pos+1);
}
} while (pos>0);
return levels;
}
void Settings::popTags(ofxXmlSettings &s, int levels) {
for(int i=0;i<levels;i++) {
s.popTag();
}
}
ofVec2f Settings::getRange(ofxXmlSettings &s, const string& xmlPath, const float defaultValue) const {
return ofVec2f(s.getValue(xmlPath + ":min", defaultValue),
s.getValue(xmlPath + ":max", defaultValue));
}
vector<float> Settings::getSet(ofxXmlSettings &s, const string& xmlPath) {
vector<float> list;
float value;
int levels = pushTags(s, xmlPath);
int numElements = s.getNumTags("v");
for(int i=0; i<numElements; i++){
value = s.getValue("v", 0.0f, i);
list.push_back(value);
}
popTags(s, levels);
return list;
}
ofColor Settings::getColor(ofxXmlSettings &s, const string& xmlPath) const {
return ofColor(s.getValue(xmlPath + ":r", 0),
s.getValue(xmlPath + ":g", 0),
s.getValue(xmlPath + ":b", 0),
s.getValue(xmlPath + ":a", 255));
}
| [
"[email protected]"
] | |
8783586b84643fe34de44450a31553f6efbaf495 | c3900738a437ac1690115a648c069964a09eb6e9 | /src/FileLock.cpp | 271703ff7c2252a958e50b243046023a59aef543 | [] | no_license | happanuki/cppgenerics | 4625844df10fa2e4345981b464da2dc845c92f77 | 117817388cda3d8f8a4b2120e45f75b9001fdc41 | refs/heads/master | 2021-01-13T12:56:17.847396 | 2017-07-01T16:44:44 | 2017-07-01T16:44:44 | 78,777,101 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 610 | cpp | #include "cppgenerics/FileLock.h"
#include "cppgenerics/Exception.h"
#include "cppgenerics/Logger.h"
namespace System {
FileLock::FileLock(int fd):
m_fd(fd)
{
}
FileLock::~FileLock()
{
if (m_locker) {
ERRSTDOUTT("FileLock destructor unlock() ");
unlock();
}
}
void FileLock::lock() throw (std::exception&)
{
m_flock.l_type = F_WRLCK;
auto ret = fcntl(m_fd,F_SETLKW,&m_flock);
if (ret < 0) {
THROW_SYS_EXCEPTION("fnctl F_SETLKW");
}
m_locker = true;
}
void FileLock::unlock() noexcept
{
m_flock.l_type = F_UNLCK;
(void)fcntl(m_fd,F_SETLKW,&m_flock);
m_locker = false;
}
} //namespace
| [
"[email protected]"
] | |
9572974df98622fb84ec3f2a01d06392919fc841 | 2d70f9afffbc339edbdf3d99ffbe312365eb30ca | /tp2/src/commonLock.cpp | 4e69b6ce9c4f4898216dfbbba5c7496053946bb9 | [] | no_license | tomasmussi/taller1 | 4e893846681577a8356604685db85021351adad6 | c85ec3a050c88b8f57a5ee3fa547c0161c574ae4 | refs/heads/master | 2016-08-09T01:49:34.780376 | 2016-02-25T23:47:36 | 2016-02-25T23:47:36 | 52,111,152 | 4 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 142 | cpp | #include "commonLock.h"
Lock::Lock(Mutex *mutex) {
this->mutex = mutex;
this->mutex->lock();
}
Lock::~Lock() {
this->mutex->unlock();
}
| [
"[email protected]"
] | |
c60f138c8111b197b35c7a55b1ec5093355b6480 | b9432d03b21d6e72e34d4697b58c240210d2d4a0 | /service_apis/youtube/google/youtube_api/subscription_list_response.h | 7317f31bc3f5e02aca1a944d5d4919938641ddc6 | [
"Apache-2.0"
] | permissive | harshapat/google-api-cpp-client | f5edbf7674459c30e894430cda199d4a3b9788fb | 7fb12b4bbb9db27fffede054149cf77c8e1c307f | refs/heads/master | 2021-01-19T13:19:36.475387 | 2017-02-18T12:25:02 | 2017-02-18T12:25:02 | 82,384,775 | 0 | 0 | null | 2017-02-18T12:21:54 | 2017-02-18T12:21:54 | null | UTF-8 | C++ | false | false | 10,675 | h | // Copyright 2010 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.
// This code was generated by google-apis-code-generator 1.5.1
// C++ generator version: 0.1.3
// ----------------------------------------------------------------------------
// NOTE: This file is generated from Google APIs Discovery Service.
// Service:
// YouTube Data API (youtube/v3)
// Generated from:
// Version: v3
// Generated by:
// Tool: google-apis-code-generator 1.5.1
// C++: 0.1.3
#ifndef GOOGLE_YOUTUBE_API_SUBSCRIPTION_LIST_RESPONSE_H_
#define GOOGLE_YOUTUBE_API_SUBSCRIPTION_LIST_RESPONSE_H_
#include <string>
#include "googleapis/base/macros.h"
#include "googleapis/client/data/jsoncpp_data.h"
#include "googleapis/strings/stringpiece.h"
#include "google/youtube_api/page_info.h"
#include "google/youtube_api/subscription.h"
#include "google/youtube_api/token_pagination.h"
namespace Json {
class Value;
} // namespace Json
namespace google_youtube_api {
using namespace googleapis;
/**
* No description provided.
*
* @ingroup DataObject
*/
class SubscriptionListResponse : public client::JsonCppData {
public:
/**
* Creates a new default instance.
*
* @return Ownership is passed back to the caller.
*/
static SubscriptionListResponse* New();
/**
* Standard constructor for an immutable data object instance.
*
* @param[in] storage The underlying data storage for this instance.
*/
explicit SubscriptionListResponse(const Json::Value& storage);
/**
* Standard constructor for a mutable data object instance.
*
* @param[in] storage The underlying data storage for this instance.
*/
explicit SubscriptionListResponse(Json::Value* storage);
/**
* Standard destructor.
*/
virtual ~SubscriptionListResponse();
/**
* Returns a string denoting the type of this data object.
*
* @return <code>google_youtube_api::SubscriptionListResponse</code>
*/
const StringPiece GetTypeName() const {
return StringPiece("google_youtube_api::SubscriptionListResponse");
}
/**
* Determine if the '<code>etag</code>' attribute was set.
*
* @return true if the '<code>etag</code>' attribute was set.
*/
bool has_etag() const {
return Storage().isMember("etag");
}
/**
* Clears the '<code>etag</code>' attribute.
*/
void clear_etag() {
MutableStorage()->removeMember("etag");
}
/**
* Get the value of the '<code>etag</code>' attribute.
*/
const StringPiece get_etag() const {
const Json::Value& v = Storage("etag");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>etag</code>' attribute.
*
* Etag of this resource.
*
* @param[in] value The new value.
*/
void set_etag(const StringPiece& value) {
*MutableStorage("etag") = value.data();
}
/**
* Determine if the '<code>eventId</code>' attribute was set.
*
* @return true if the '<code>eventId</code>' attribute was set.
*/
bool has_event_id() const {
return Storage().isMember("eventId");
}
/**
* Clears the '<code>eventId</code>' attribute.
*/
void clear_event_id() {
MutableStorage()->removeMember("eventId");
}
/**
* Get the value of the '<code>eventId</code>' attribute.
*/
const StringPiece get_event_id() const {
const Json::Value& v = Storage("eventId");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>eventId</code>' attribute.
*
* Serialized EventId of the request which produced this response.
*
* @param[in] value The new value.
*/
void set_event_id(const StringPiece& value) {
*MutableStorage("eventId") = value.data();
}
/**
* Determine if the '<code>items</code>' attribute was set.
*
* @return true if the '<code>items</code>' attribute was set.
*/
bool has_items() const {
return Storage().isMember("items");
}
/**
* Clears the '<code>items</code>' attribute.
*/
void clear_items() {
MutableStorage()->removeMember("items");
}
/**
* Get a reference to the value of the '<code>items</code>' attribute.
*/
const client::JsonCppArray<Subscription > get_items() const;
/**
* Gets a reference to a mutable value of the '<code>items</code>' property.
*
* A list of subscriptions that match the request criteria.
*
* @return The result can be modified to change the attribute value.
*/
client::JsonCppArray<Subscription > mutable_items();
/**
* Determine if the '<code>kind</code>' attribute was set.
*
* @return true if the '<code>kind</code>' attribute was set.
*/
bool has_kind() const {
return Storage().isMember("kind");
}
/**
* Clears the '<code>kind</code>' attribute.
*/
void clear_kind() {
MutableStorage()->removeMember("kind");
}
/**
* Get the value of the '<code>kind</code>' attribute.
*/
const StringPiece get_kind() const {
const Json::Value& v = Storage("kind");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>kind</code>' attribute.
*
* Identifies what kind of resource this is. Value: the fixed string
* "youtube#subscriptionListResponse".
*
* @param[in] value The new value.
*/
void set_kind(const StringPiece& value) {
*MutableStorage("kind") = value.data();
}
/**
* Determine if the '<code>nextPageToken</code>' attribute was set.
*
* @return true if the '<code>nextPageToken</code>' attribute was set.
*/
bool has_next_page_token() const {
return Storage().isMember("nextPageToken");
}
/**
* Clears the '<code>nextPageToken</code>' attribute.
*/
void clear_next_page_token() {
MutableStorage()->removeMember("nextPageToken");
}
/**
* Get the value of the '<code>nextPageToken</code>' attribute.
*/
const StringPiece get_next_page_token() const {
const Json::Value& v = Storage("nextPageToken");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>nextPageToken</code>' attribute.
*
* The token that can be used as the value of the pageToken parameter to
* retrieve the next page in the result set.
*
* @param[in] value The new value.
*/
void set_next_page_token(const StringPiece& value) {
*MutableStorage("nextPageToken") = value.data();
}
/**
* Determine if the '<code>pageInfo</code>' attribute was set.
*
* @return true if the '<code>pageInfo</code>' attribute was set.
*/
bool has_page_info() const {
return Storage().isMember("pageInfo");
}
/**
* Clears the '<code>pageInfo</code>' attribute.
*/
void clear_page_info() {
MutableStorage()->removeMember("pageInfo");
}
/**
* Get a reference to the value of the '<code>pageInfo</code>' attribute.
*/
const PageInfo get_page_info() const;
/**
* Gets a reference to a mutable value of the '<code>pageInfo</code>'
* property.
* @return The result can be modified to change the attribute value.
*/
PageInfo mutable_pageInfo();
/**
* Determine if the '<code>prevPageToken</code>' attribute was set.
*
* @return true if the '<code>prevPageToken</code>' attribute was set.
*/
bool has_prev_page_token() const {
return Storage().isMember("prevPageToken");
}
/**
* Clears the '<code>prevPageToken</code>' attribute.
*/
void clear_prev_page_token() {
MutableStorage()->removeMember("prevPageToken");
}
/**
* Get the value of the '<code>prevPageToken</code>' attribute.
*/
const StringPiece get_prev_page_token() const {
const Json::Value& v = Storage("prevPageToken");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>prevPageToken</code>' attribute.
*
* The token that can be used as the value of the pageToken parameter to
* retrieve the previous page in the result set.
*
* @param[in] value The new value.
*/
void set_prev_page_token(const StringPiece& value) {
*MutableStorage("prevPageToken") = value.data();
}
/**
* Determine if the '<code>tokenPagination</code>' attribute was set.
*
* @return true if the '<code>tokenPagination</code>' attribute was set.
*/
bool has_token_pagination() const {
return Storage().isMember("tokenPagination");
}
/**
* Clears the '<code>tokenPagination</code>' attribute.
*/
void clear_token_pagination() {
MutableStorage()->removeMember("tokenPagination");
}
/**
* Get a reference to the value of the '<code>tokenPagination</code>'
* attribute.
*/
const TokenPagination get_token_pagination() const;
/**
* Gets a reference to a mutable value of the '<code>tokenPagination</code>'
* property.
* @return The result can be modified to change the attribute value.
*/
TokenPagination mutable_tokenPagination();
/**
* Determine if the '<code>visitorId</code>' attribute was set.
*
* @return true if the '<code>visitorId</code>' attribute was set.
*/
bool has_visitor_id() const {
return Storage().isMember("visitorId");
}
/**
* Clears the '<code>visitorId</code>' attribute.
*/
void clear_visitor_id() {
MutableStorage()->removeMember("visitorId");
}
/**
* Get the value of the '<code>visitorId</code>' attribute.
*/
const StringPiece get_visitor_id() const {
const Json::Value& v = Storage("visitorId");
if (v == Json::Value::null) return StringPiece("");
return StringPiece(v.asCString());
}
/**
* Change the '<code>visitorId</code>' attribute.
*
* The visitorId identifies the visitor.
*
* @param[in] value The new value.
*/
void set_visitor_id(const StringPiece& value) {
*MutableStorage("visitorId") = value.data();
}
private:
void operator=(const SubscriptionListResponse&);
}; // SubscriptionListResponse
} // namespace google_youtube_api
#endif // GOOGLE_YOUTUBE_API_SUBSCRIPTION_LIST_RESPONSE_H_
| [
"[email protected]"
] | |
64dfc5329a086f0abe00526082b2225e71acf16a | 685775a2e0a20e1a27a2db9443780ccb7a1bb943 | /subscribe/receive.ino | edc390326feaea03f27ce94cc4a22efe89435008 | [] | no_license | hcde440/a4-ambient-display-LuffyWesley | 5c822b19ca3729947a72c0756f772d0cb6b5158a | 3c119a4d682c69f37b338999408ef92deb886575 | refs/heads/master | 2020-05-17T03:31:06.434979 | 2019-05-09T07:25:51 | 2019-05-09T07:25:51 | 183,482,656 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,873 | ino | // The code receives data from mqtt. If motion is detected between 9:30 pm and 8:30 pm (essentially around the time I am in my room),
// the buzzer will play buzz. If motion is detected outside those hrs, the buzzer will not buzz but instead send data to io.adafruit as a
// changable light or iftt as an email (this part needs more work in integration). The code also receives data about weather conditions.
// If its between 8 and 8:30 am, the led's will light up (gotta conserve energy). If the weather condition is 'Rainy' the red led will light up.
// If the weather condition is 'Clear' the green led will light up. The leds will continue to light unless there's a weather condition change or
// its outside the time range.
#define WIFI_SSID "University of Washington" // wifi network name
#define WIFI_PASS "" // wifi password
#define mqtt_server "mediatedspaces.net" //this is its address, unique to the server
#define mqtt_user "hcdeiot" //this is its server login, unique to the server
#define mqtt_password "esp8266" //this is it server password, unique to the server
// Required libraries for code to work
#include <Wire.h> // library allows you to communicate with I2C / TWI devices
#include <SPI.h> // Needed to communicate with MQTT
#include <PubSubClient.h> // Needed to communicate with MQTT
#include <ArduinoJson.h> // Needed to parse json files
#include <ESP8266WiFi.h> // library provides ESP8266 specific WiFi methods we are calling to connect to network
#include <ESP8266HTTPClient.h> // Needed to communicate with websites
WiFiClient espClient;
PubSubClient mqtt(espClient);
char mac[6]; //A MAC address is a 'truly' unique ID for each device, lets use that as our 'truly' unique user ID!!!
char message[201]; //201, as last character in the array is the NULL character, denoting the end of the array
int redLed = 13; // red led pin
int greenLed = 12; // green led pin
int BUZZER_PIN = 15; // buzzer pin
void setup() {
Serial.begin(115200); // start the serial connection
// Prints the results to the serial monitor
Serial.print("This board is running: "); //Prints that the board is running
Serial.println(F(__FILE__));
Serial.print("Compiled: "); //Prints that the program was compiled on this date and time
Serial.println(F(__DATE__ " " __TIME__));
while(! Serial); // wait for serial monitor to open
pinMode(redLed, OUTPUT); // declare red as output
pinMode(greenLed, OUTPUT); // declare green led as output
pinMode(BUZZER_PIN, OUTPUT); // declare buzzer as output
digitalWrite(BUZZER_PIN, LOW); // buzzer is off
setup_wifi();
mqtt.setServer(mqtt_server, 1883); // connect to mqtt server
mqtt.setCallback(callback); //register the callback function
}
/////SETUP_WIFI/////
void setup_wifi() {
delay(10);
// We start by connecting to a WiFi network
Serial.println();
Serial.print("Connecting to ");
Serial.println(WIFI_SSID);
WiFi.begin(WIFI_SSID, WIFI_PASS);
while (WiFi.status() != WL_CONNECTED) {
delay(500); // wait 5 ms
Serial.print(".");
}
Serial.println("");
Serial.println("WiFi connected."); //get the unique MAC address to use as MQTT client ID, a 'truly' unique ID.
Serial.println(WiFi.macAddress()); //.macAddress returns a byte array 6 bytes representing the MAC address
}
/////CONNECT/RECONNECT/////Monitor the connection to MQTT server, if down, reconnect
void reconnect() {
// Loop until we're reconnected
while (!mqtt.connected()) {
Serial.print("Attempting MQTT connection...");
if (mqtt.connect(mac, mqtt_user, mqtt_password)) { //<<---using MAC as client ID, always unique!!!
Serial.println("connected");
mqtt.subscribe("Treasure/+"); //we are subscribing to 'Treasure' and all subtopics below that topic
} else {
Serial.print("failed, rc=");
Serial.print(mqtt.state());
Serial.println(" try again in 5 seconds");
delay(5000); // Wait 5 seconds before retrying
}
}
}
void loop() {
if (!mqtt.connected()) {
reconnect();
}
mqtt.loop(); //this keeps the mqtt connection 'active'
delay(1000); // wait for a second
}
void callback(char* topic, byte* payload, unsigned int length) {
Serial.println();
Serial.print("Message arrived [");
Serial.print(topic); //'topic' refers to the incoming topic name, the 1st argument of the callback function
Serial.println("] ");
StaticJsonDocument<200> doc;
DeserializationError error = deserializeJson(doc, payload); //parse it!
// Test if parsing succeeds.
if (error) {
Serial.print("deserializeJson() in callback failed with code ");
Serial.println(error.c_str());
return;
}
String tim = doc["Time"]; // reads time json and stores data
double mot = doc["Motion Room"]; // reads motion json and stores data
String weather = doc["Weather Outside"]; // reads weather json and stores data
// Sound the buzzer when anytime between 9 pm and 8:30 am when motion is detected
if (tim > "20:59" && tim < "8:31") {
digitalWrite(BUZZER_PIN, LOW); // buzzer is off
if (mot == 1) {
digitalWrite(BUZZER_PIN, HIGH); // buzzer is on
}
} else {
digitalWrite(BUZZER_PIN, LOW); // buzzer is off
}
// led light up only when its between 8 am and 8:30 am. Green is for a clear day (no jacket)
// Red is for a rainy day (carry jacket)
if (tim > "7:59" && tim < "8:31") {
digitalWrite(redLed, LOW); // green led off
digitalWrite(greenLed, LOW); // red led off
if (weather == "Clear") {
digitalWrite(greenLed, HIGH); // green led on
} else if (weather == "Rainy") {
digitalWrite(redLed, HIGH); // red led on
}
} else {
digitalWrite(redLed, LOW); // red led off
digitalWrite(greenLed, LOW); // green led off
}
} | [
"[email protected]"
] | |
a685a1a573ffb2439dbe405dcf2f7291032fff8d | 4e3a8f151aef6214bb30dcdc3e6745cd96d8916f | /mergesort.cpp | 440bbe5e3a7610564f67e8e37fa9c842bc9ac067 | [] | no_license | cloped/codigofile | 00d3ba7e9fc0972f2d4bb4e81d7efb591376f770 | de0373a0805da4d7e3b397e88e0258acc2fb8617 | refs/heads/master | 2021-01-11T19:30:19.039830 | 2017-01-21T16:45:02 | 2017-01-21T16:45:02 | 79,381,920 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,486 | cpp | #include <iostream>
#include <cstdlib>
using namespace std;
void mergeNome(int vetor[], int comeco, int fim) {
int i, j, k, metadeTamanho;
int *vetorTemp;
if(comeco == fim) return;
// ordenacao recursiva das duas metades
metadeTamanho = (comeco + fim ) / 2;
mergeNome(vetor, comeco, metadeTamanho);
mergeNome(vetor, metadeTamanho + 1, fim);
// intercalacao no vetor temporario t
i = comeco;
j = metadeTamanho + 1;
k = 0;
vetorTemp = (int *) malloc(sizeof(int) * (fim - comeco + 1));
while(i < metadeTamanho + 1 || j < fim + 1) {
if ( i == metadeTamanho + 1 ) {
vetorTemp[k] = vetor[j];
j++;
k++;
}
else if ( j == fim + 1 ) {
vetorTemp[k] = vetor[i];
i++;
k++;
} else {
if ( vetor[i] < vetor [j] ) {
vetorTemp[k] = vetor[i];
i++;
k++;
}
else {
vetorTemp[k] = vetor[j];
j++;
k++;
}
}
}
// copia vetor intercalado para o vetor original
for(i = comeco; i <= fim; i++) {
vetor[i] = vetorTemp[i - comeco];
}
free(vetorTemp);
}
int main()
{
int vetor[]={34,5,11,6,8,22,4};
mergeNome(vetor,0,6);
for (int i = 0; i < 7; ++i)
{
cout << vetor[i] <<" ";
}
cout << endl;
return 0;
} | [
"[email protected]"
] | |
d2fd9f5c02e4048a71d87f4e587f618994cb2716 | 37b25be981fb4c484466b612ff745967ea6eba43 | /refactor/signal_fd.cpp | 6989d3fec10c9483b38a87596277a3ac538972e2 | [] | no_license | vlakam/ProxyServer | 481af547c570ad9cf2bbcc8e732c3f475def13e0 | 6eb33bc7ab688228ba2dccaf7e373caf24e96fc5 | refs/heads/master | 2021-05-30T20:08:56.216624 | 2016-01-30T13:45:11 | 2016-01-30T13:45:11 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,794 | cpp | //
// Created by kamenev on 08.01.16.
//
#include <sys/epoll.h>
#include <unistd.h>
#include "signal_fd.h"
#include "debug.h"
#include "posix_sockets.h"
handle signal_fd::createfd(std::vector<signal> &vector)
{
int sfd;
sigset_t mask;
sigemptyset(&mask);
for (auto i:vector) {
if (sigaddset(&mask, i) != 0) {
LOG("Warning: %d is not a valid signal", i);
}
}
if (sigprocmask(SIG_BLOCK, &mask, NULL) < 0) {
throw_error(errno, "sigprocmask()");
}
sfd = signalfd(-1, &mask, SFD_CLOEXEC | SFD_NONBLOCK);
if (sfd < 0) {
throw_error(errno, "signalfd(-1)");
}
return handle(sfd);
}
handle signal_fd::createfd()
{
int sfd;
sigset_t mask;
sigemptyset(&mask);
sfd = signalfd(-1,&mask,SFD_CLOEXEC|SFD_NONBLOCK);
if(sfd <0){
throw_error(errno,"signalfd(-1,empty)");
}
return handle(sfd);
}
void signal_fd::modifymask(std::vector<signal> &vector)
{
int sfd;
sigset_t mask;
sigemptyset(&mask);
for (auto i:vector) {
if (sigaddset(&mask, i) != 0) {
LOG("Warning: %d is not a valid signal", i);
}
}
if (sigprocmask(SIG_BLOCK, &mask, NULL) < 0) {
throw_error(errno, "sigprocmask()");
}
sfd = signalfd(fd.get_raw(), &mask, SFD_CLOEXEC | SFD_NONBLOCK);
if(sfd < 0){
throw_error(errno,"signalfd()");
}
}
signal_fd::signal_fd(io::io_service &service,
signal_fd::callback callback,
std::vector<signal_fd::signal> vector)
: on_ready(std::move(callback)),fd(createfd(vector)),
ioEntry(service,fd,EPOLLIN,[this](uint32_t)
{
signalfd_siginfo sigfd;
read_some(fd, &sigfd, sizeof(sigfd));
this->on_ready(sigfd);
})
{
}
| [
"[email protected]"
] | |
0dab3d2b4da068158d7ae6c447c2171a35e950c9 | 1636a391ebca8d40b229f38d2dea8d15875ed311 | /12b.cpp | 2abda571a2e9887028196545fe66e5c482840865 | [] | no_license | 25pratiksha/Algo_Lab | cbec6f3b3fef5e3795133d7959fd51236e18b053 | 559b1414706d3fc6dfd0a1492fc0c367f3baf012 | refs/heads/master | 2021-01-19T03:59:00.631673 | 2017-02-15T14:20:02 | 2017-02-15T14:20:02 | 65,293,752 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,125 | cpp | #include<bits/stdc++.h>
using namespace std;
long long gcd(long long a, long long b)
{
if (b == 0)
return a;
return gcd(b, a%b);
}
long long polygonArea(long long X[], long long Y[], long long n)
{
// Initialze area
long long area = 0;
// Calculate value of shoelace formula
long long j = n - 1;
for (long long i = 0; i < n; i++)
{
area += (X[j] + X[i]) * (Y[j] - Y[i]);
j = i; // j is previous vertex to i
}
// Return absolute value
return abs(area);
}
int main()
{
long long t=0;
cin>>t;
for(long long i1=1;i1<=t;i1++)
{
long long area=0,A=0,n,m,a1,b;
cin>>n>>m;
long long x[n],y[n];
for(long long i=0;i<n;i++)
{
cin>>a1>>b;
x[i]=a1;
y[i]=b;
}
long long ax[3],ay[3];
A=polygonArea(x,y,n);
//cout<<"bigger area"<<A<<"\n";
for(long long i=0;i<n;i++)
{
ax[0] = x[i];
ay[0] = y[i];
if(i==0)
{
ax[1]=x[i+1];
ay[1]=y[i+1];
ax[2]=x[n-1];
ay[2]=y[n-1];
}
else if(i==n-1)
{
ax[1]=x[0];
ay[1]=y[0];
ax[2]=x[i-1];
ay[2]=y[i-1];
}
else
{
ax[1]=x[i+1];
ay[1]=y[i+1];
ax[2]=x[i-1];
ay[2]=y[i-1];
}
long long val= polygonArea(ax,ay,3);
// cout<<"sub area---"<<val<<"\n";
area += val;
//cout<<"Area now "<<area<<"\n";
}
// cout<<"Area now m2 "<<area<<"\n";
A=m*m*A;
// cout<<"new big area "<<A<<"\n";
long long ratio = gcd(A,area);
// cout<<"ratio "<<ratio<<"\n";
A=A/ratio;
area=area/ratio;
cout<<"Case #"<<i1<<": "<<area<<"/"<<A<<"\n";
}
return 0;
}
| [
"[email protected]"
] | |
eea18966067efd830adcf7ae61f021c396832c97 | c9889def8ff68247138baf9f4a9aca9faf70d409 | /libs/core/refcount.h | 7428d3c06e2dc80b35fccddebde5916fd30fca07 | [
"BSL-1.0"
] | permissive | gknowles/dimapp | 285cad1f3d2d2d203d93071fe3139997afd6156e | 917265b3e196e976131bff4bebd8cfdccfc820c7 | refs/heads/master | 2023-05-25T14:52:13.714445 | 2023-05-19T23:09:34 | 2023-05-19T23:09:34 | 57,270,750 | 2 | 1 | null | 2017-10-20T22:33:24 | 2016-04-28T04:24:25 | C++ | UTF-8 | C++ | false | false | 3,626 | h | // Copyright Glen Knowles 2018 - 2019.
// Distributed under the Boost Software License, Version 1.0.
//
// refcount.h - dim core
#pragma once
#include "cppconf/cppconf.h"
namespace Dim {
/****************************************************************************
*
* IRefCount
*
***/
class IRefCount {
public:
struct Deleter {
void operator()(IRefCount * ptr) { ptr->decRef(); }
};
public:
virtual ~IRefCount() = default;
virtual void incRef() = 0;
virtual void decRef() = 0;
virtual void onZeroRef() = 0;
};
//===========================================================================
inline void intrusive_ptr_add_ref(IRefCount * ptr) {
ptr->incRef();
}
//===========================================================================
inline void intrusive_ptr_release(IRefCount * ptr) {
ptr->decRef();
}
/****************************************************************************
*
* RefCount
*
***/
class RefCount : public IRefCount {
public:
void incRef() override;
void decRef() override;
void onZeroRef() override;
private:
unsigned m_refCount{0};
};
//===========================================================================
inline void RefCount::incRef() {
m_refCount += 1;
}
//===========================================================================
inline void RefCount::decRef() {
if (!--m_refCount)
onZeroRef();
}
//===========================================================================
inline void RefCount::onZeroRef() {
delete this;
}
/****************************************************************************
*
* RefPtr
*
***/
template<typename T>
class RefPtr {
public:
RefPtr() {}
RefPtr(std::nullptr_t) {}
explicit RefPtr(T * ptr);
~RefPtr();
RefPtr & operator= (const RefPtr & ptr);
void reset();
void reset(T * ptr);
void swap(RefPtr & other);
T * release();
explicit operator bool() const { return m_ptr; }
T * get() { return m_ptr; }
const T * get() const { return m_ptr; }
T & operator* () { return *m_ptr; }
T * operator-> () { return m_ptr; }
const T & operator* () const { return *m_ptr; }
const T * operator-> () const { return m_ptr; }
private:
T * m_ptr{};
};
//===========================================================================
template<typename T>
RefPtr<T>::RefPtr(T * ptr) {
reset(ptr);
}
//===========================================================================
template<typename T>
RefPtr<T>::~RefPtr() {
if (m_ptr)
m_ptr->decRef();
}
//===========================================================================
template<typename T>
RefPtr<T> & RefPtr<T>::operator= (const RefPtr & ptr) {
m_ptr = ptr->m_ptr;
if (m_ptr)
m_ptr->incRef();
return *this;
}
//===========================================================================
template<typename T>
void RefPtr<T>::reset() {
if (m_ptr)
m_ptr->decRef();
m_ptr = nullptr;
}
//===========================================================================
template<typename T>
void RefPtr<T>::reset(T * ptr) {
if (ptr)
ptr->incRef();
if (m_ptr)
m_ptr->decRef();
m_ptr = ptr;
}
//===========================================================================
template<typename T>
T * RefPtr<T>::release() {
auto ptr = m_ptr;
m_ptr = nullptr;
return ptr;
}
//===========================================================================
template<typename T>
void RefPtr<T>::swap(RefPtr & other) {
::swap(m_ptr, other.m_ptr);
}
} // namespace
| [
"[email protected]"
] | |
a9424a860787254fcb1d8c26d6cc6e88da63fc38 | 23ac9facec8a0b73fa3f90a71dcacf9f1ec3ab81 | /bitmap.cpp | 9486450888286d327c1bfeb468425e1447dd4c38 | [
"MIT"
] | permissive | baguette/Asteroids | 686befb4709caa75fe726c3bc8aeadb7d8176dcb | e15daac32dc5ea747e2c9d25546183885122236c | refs/heads/master | 2020-06-03T21:00:17.961767 | 2011-03-25T03:26:25 | 2011-03-25T03:26:25 | 1,524,111 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,593 | cpp | #include <stdio.h>
#include <stdlib.h>
#include "common.h"
#include "bitmap.hpp"
/* BMPs store pixel data as BGRA, but OpenGL 1.1 only supports RGBA,
* so this function will read the color components in reverse order.
*/
static int read_rgba(GLubyte *buffer, FILE *fp)
{
int i, r = 0;
for (i = 0; i < 4; i++)
r += fread(buffer+i, 1, 1, fp);
return r;
}
Bitmap::Bitmap(const char *file)
{
FILE *fp;
int size, offset = 0;
int height = 0;
bitmap.palette = NULL;
bitmap.data = NULL;
fp = fopen(file, "rb");
if (!fp) {
fprintf(stderr, "unable to open %s\n", file);
return; /* eventually this should throw an exception... */
}
/* have to read this separately because of alignment issues... */
fread(&bitmap.magic, 2, 1, fp);
if (fread(&bitmap.fsize, BITMAP_HEADER_SIZE-2, 1, fp) < 1) {
fprintf(stderr, "error loading bitmap %s\n", file);
fclose(fp);
return;
}
if (bitmap.size)
size = bitmap.size * bitmap.bpp / 8;
else
size = bitmap.fsize - BITMAP_HEADER_SIZE;
if (bitmap.height < 0)
offset = size - bitmap.width * bitmap.bpp / 8;
height = bitmap.height;
// printf("%d\n", bitmap.height);
/* no support for palettes right now... */
if (bitmap.bpp != 32 || bitmap.psize != 0) {
fprintf(stderr, "unsupported bitmap %s\n", file);
}
bitmap.data = (GLubyte *)malloc(size);
if (!bitmap.data) {
fprintf(stderr, "unable to allocate %d bytes for %s\n", size, file);
fclose(fp);
return;
}
/* if it's stored top to bottom, we have to reverse the rows for OpenGL */
if (offset) {
while (height) {
GLint width;
for (width = 0; width < bitmap.width; width++) {
if (read_rgba(bitmap.data+offset+width*bitmap.bpp/8, fp) < 1) {
fprintf(stderr, "error reading from %s\n", file);
fclose(fp);
return;
}
}
height++;
offset -= bitmap.width * bitmap.bpp / 8;
}
} else {
while (height) {
GLint width;
for (width = 0; width < bitmap.width; width++) {
if (read_rgba(bitmap.data+offset+width*bitmap.bpp/8, fp) < 1) {
fprintf(stderr, "error reading from %s\n", file);
fclose(fp);
return;
}
}
height--;
offset += bitmap.width * bitmap.bpp / 8;
}
}
fclose(fp);
}
Bitmap::~Bitmap()
{
free(bitmap.palette);
free(bitmap.data);
bitmap.palette = NULL;
bitmap.data = NULL;
}
void Bitmap::draw(float x, float y)
{
int height = bitmap.height;
height = (height < 0) ? -height : height;
glRasterPos2f(x, y);
glDrawPixels(bitmap.width, height, GL_RGBA, GL_UNSIGNED_BYTE, bitmap.data);
}
bool Bitmap::isLoaded()
{
if (bitmap.data)
return true;
return false;
}
| [
"[email protected]"
] | |
8eed2089e85c853fdf3ed821e5bc23ce38517c53 | a852f0f75f3f00cf094f506699abab1388789ecc | /src/Logic/Collider.hpp | d38f3499b60f9a23b8d5adbf70d6422563d4ac3f | [
"MIT"
] | permissive | NoakPalander/Veri | 773b34f9629a793665e6461b57057a968b7cef79 | e740664829f71732379157b1baae03c3a4b5e91b | refs/heads/master | 2023-03-27T12:29:36.020252 | 2021-03-30T00:16:15 | 2021-03-30T00:16:15 | 267,696,088 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 522 | hpp | #pragma once
#include <SFML/Graphics.hpp>
namespace Veri {
class Collider {
public:
Collider(sf::RectangleShape& body);
~Collider() = default;
void Move(float dx, float dy);
bool CheckCollision(Collider other, sf::Vector2f& direction, float push);
inline sf::Vector2f GetPosition() const { return m_Body.getPosition(); }
inline sf::Vector2f GetHalfSize() const { return m_Body.getSize() / 2.f; }
private:
sf::RectangleShape& m_Body;
};
} | [
"[email protected]"
] | |
b71bed865d01afc18b3edae1f90b4945ac6f8ffa | 16cfea4843dd7b203704677f6f20ecc1b1abe366 | /pds/rectangle/rectangle.cpp | c366c9e61ea5ab21e270db653a609958b5cf9e8c | [] | no_license | flavluc/cpp_codes | 10a56fb41f626cd703f13d957ab0f3be4aca995d | e0a8f6fb1b9e6b7696f32a9772d929535c49c2cf | refs/heads/master | 2022-01-14T00:27:00.087453 | 2019-05-03T07:15:40 | 2019-05-03T07:15:40 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 989 | cpp | #include "rectangle.h"
Rectangle::Rectangle(){
_height = 1;
_width = 1;
calc();
}
Rectangle::Rectangle(float height, float width){
if(width <= 0 || width >= 20 || height <= 0 || height >= 20)
throw invalid_argument("The width and height must be between 0.0 and 20.0");
_height = height;
_width = width;
calc();
}
void Rectangle::calc(){
_perimeter = 2*_width + 2*_height;
_area = _width * _height;
}
float Rectangle::get_height(){
return _height;
}
void Rectangle::set_height(float height){
if(height <= 0 || height >= 20)
throw invalid_argument("The height must be between 0.0 and 20.0");
_height = height;
calc();
}
float Rectangle::get_width(){
return _width;
}
void Rectangle::set_width(float width){
if(width <= 0 || width >= 20)
throw invalid_argument("The width must be between 0.0 and 20.0");
_width = width;
calc();
}
float Rectangle::get_perimeter(){
return _perimeter;
}
float Rectangle::get_area(){
return _area;
} | [
"[email protected]"
] | |
6fab18dedaac2a92f33375ecbb282ad0f1e081bf | 907f33a9223356c626f851da91e6b873e88bd7f8 | /369. Plus One Linked List.cpp | 4662bbf1ecc614e5cd12958032dc0396d5f15c8a | [] | no_license | wei-han/LeetCode | fb371722886b248f96fb42941f8f731f7b6e1175 | 39c3433061dc49a52fce7ca189dbf214e96f3a75 | refs/heads/master | 2023-08-30T10:03:52.313495 | 2023-08-30T00:42:38 | 2023-08-30T00:42:38 | 91,193,931 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 671 | cpp | /**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* plusOne(ListNode* head) {
ListNode* first = new ListNode(0);
first->next = head;
ListNode *i = first, *j = first;
while(i->next){
i = i->next;
if(i->val !=9) j = i;
}
j->val +=1;
j = j->next;
while(j){
j->val = 0;
j = j->next;
}
if(first->val == 0) return first->next;
return first;
}
};
| [
"[email protected]"
] | |
16eb0506a1b78f66f96046061dc6017c1f8ba852 | 1bb31075aaac7acbf0675a2a695094314157df07 | /Engine/SailBoat.cpp | c3c966754009183b63dca51f852a481e2f530c3a | [] | no_license | Mirabass/SailBoat | fb09df5bb7fd937eee3c974b2ae5aab8da065f82 | a15bdf469c0fe293bfb27dd8d8edfcb21342f2c8 | refs/heads/master | 2021-11-24T20:14:34.259728 | 2021-10-22T07:53:48 | 2021-10-22T07:53:48 | 133,552,085 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,652 | cpp | #include "SailBoat.h"
#define _USE_MATH_DEFINES
#include <math.h>
SailBoat::SailBoat(const Vec2 & pos, const Vec2& velocity, const float& startingMainSailAngle)
:
hull(Vec2(float(playerBoatLocationX), float(playerBoatLocationY)), 0.0f),
rudder(0.0f),
position(pos),
sails(-startingMainSailAngle),
boatVelocityToWater(velocity)
{
}
SailBoat::~SailBoat()
{
}
Vec2 SailBoat::getPosition() const
{
return position;
}
Vec2 SailBoat::getLocation() const
{
return hull.getLocation();
}
Vec2 SailBoat::getMastPosition() const
{
return mastPosition;
}
float SailBoat::getBearing() const
{
return boatVelocityToWater.GetAngle();
}
void SailBoat::tiltRudder(const int direction, const float dt)
{
rudder.changeAngle(float(direction), dt);
}
void SailBoat::ReleaseMainSheet(Wind locWind, const float dt)
{
sails.ReleaseMainSheat(apparentWind,windToBoatAngle, dt);
}
void SailBoat::TightMainSheet(Wind locWind, const float dt)
{
sails.TightMainSheat(apparentWind, windToBoatAngle,dt);
}
void SailBoat::setSpeed(Wind trueWind, const float dt)
{
maxCurrentBoatSpeed = maxBoatSpeedCoeff * trueWind.getSpeedVector().GetLength();
//float angleMainSailToTrueWind = 30.0f;
//float changeValue = maxCurrentBoatSpeed * angleMainSailToTrueWind * 0.2f;
//boatVelocityToWater.AddLength(changeValue);
}
void SailBoat::Update(const float dt, Board& brd, Wind& wind)
{
speedOfTurning = boatVelocityToWater.GetLength() * speedOfTurningCoeff;
boatVelocityToWater.Rotate(speedOfTurning * dt * rudder.getAngle());
setWindToBoat(wind);
sails.TackOrJibe(apparentWind,windToBoatAngle ,dt);
if (!sails.tacking && !sails.jibbing)
{
setSpeed(wind, dt);
}
float bearing = boatVelocityToWater.GetAngle();
float speedToWater = boatVelocityToWater.GetLength();
position.x += speedToWater * dt * sin((bearing)*float(M_PI)/180.0f);
position.y += speedToWater * dt * cos((bearing-180)*float(M_PI)/180.0f);
float appWindBearing = apparentWind.GetAngle();
windIndicator.setWIangle(bearing - appWindBearing);
brd.setCompassBearing(bearing);
}
void SailBoat::Draw(Graphics& gfx) const
{
hull.Draw(gfx);
SpriteCodex::DrawMast(Vec2(mastPosition.x-26,mastPosition.y-8), gfx);
rudder.Draw(gfx);
sails.Draw(gfx);
windIndicator.Draw(gfx, Vec2(mastPosition.x - 1, mastPosition.y));
}
SailBoat::Hull::Hull(Vec2 loc, float rot)
:
location(loc),
rotation(rot)
{
}
Vec2 SailBoat::Hull::getLocation() const
{
return location;
}
void SailBoat::Hull::Draw(Graphics & gfx) const
{
SpriteCodex::DrawHull(location, rotation, gfx);
}
SailBoat::Rudder::Rudder(float rudderAngle)
:
rudderAngle(rudderAngle)
{
}
void SailBoat::Rudder::changeAngle(const float direction, const float dt)
{
rudderAngle += direction * speedOfTilting * dt;
if (rudderAngle < -75)
{
rudderAngle = -75;
}
else if (rudderAngle > 75)
{
rudderAngle = 75;
}
}
float SailBoat::Rudder::getAngle() const
{
return rudderAngle;
}
void SailBoat::Rudder::Draw(Graphics & gfx) const
{
Vec2 rudderCentre = { float(playerBoatLocationX) + float(Hull::hullWidth) / 2,float(playerBoatLocationY + Hull::hullHeight) };
Vec2 vecOfRudder = { 0,rudderLength };
vecOfRudder.Rotate(-rudderAngle);
Vec2 rudderEnd = rudderCentre + vecOfRudder;
gfx.DrawAbscissa(rudderCentre, rudderEnd, rudderThickness, rudderColor);
}
void SailBoat::WindIndicator::setWIangle(const float direction)
{
WIangle = direction;
}
void SailBoat::WindIndicator::Draw(Graphics & gfx, Vec2 windIndicatorPosition) const
{
Vec2 center = { 0,0 };
Vec2 TipPoint = { 0,-26 };
Vec2 leftFrontPoint = { -3,-18 };
Vec2 rightFrontPoint = { +3,-18 };
Vec2 backPoint = { 0,26 };
Vec2 leftBackPoint = { -3,34 };
Vec2 rightBackPoint = { +3,34 };
TipPoint.Rotate(180 - WIangle);
leftFrontPoint.Rotate(180 - WIangle);
rightFrontPoint.Rotate(180 - WIangle);
backPoint.Rotate(180 - WIangle);
leftBackPoint.Rotate(180 - WIangle);
rightBackPoint.Rotate(180 - WIangle);
center += windIndicatorPosition;
TipPoint += windIndicatorPosition;
leftFrontPoint += windIndicatorPosition;
rightFrontPoint += windIndicatorPosition;
backPoint += windIndicatorPosition;
leftBackPoint += windIndicatorPosition;
rightBackPoint += windIndicatorPosition;
gfx.DrawAbscissa(TipPoint, leftFrontPoint, WIwidth, windIndicatorColor);
gfx.DrawAbscissa(TipPoint, rightFrontPoint, WIwidth, windIndicatorColor);
gfx.DrawAbscissa(TipPoint, backPoint, 2, windIndicatorColor);
gfx.DrawAbscissa(backPoint, leftBackPoint, WIwidth, windIndicatorColor);
gfx.DrawAbscissa(backPoint, rightBackPoint, WIwidth, windIndicatorColor);
}
SailBoat::Sails::Sails(float mainSailAngle)
:
mainSail(mainSailAngle)
{
}
void SailBoat::Sails::Draw(Graphics & gfx) const
{
mainSail.Draw(gfx);
}
void SailBoat::setWindToBoat(Wind locWind)
{
Vec2 trueWind = locWind.getSpeedVector();
drivingWind = Vec2(0,0) - boatVelocityToWater;
apparentWind = trueWind + drivingWind;
windToBoatAngle = apparentWind.GetAngle() - boatVelocityToWater.GetAngle();
if (windToBoatAngle < 0)
{
windToBoatAngle = 360 - windToBoatAngle;
}
}
void SailBoat::Sails::TightMainSheat(Vec2 appWind, const float windTBA, const float dt)
{
if (mainSail.CheckWindToMainSail(windTBA))
{
if (windTBA < 180)
{
if (mainSail.getMainSailAngle() > minMainSailAngle)
{
mainSail.TurnBoom(-1, dt);
}
}
else
{
if (mainSail.getMainSailAngle() < -minMainSailAngle)
{
mainSail.TurnBoom(+1, dt);
}
}
}
}
void SailBoat::Sails::TackOrJibe(Vec2 appWind, const float windTBA, const float dt)
{
if (mainSail.underControl)
{
mainSail.underControl = mainSail.CheckWindToMainSail(windTBA);
}
if (!mainSail.underControl || tacking || jibbing)
{
if (mainSail.underControlFirstly)
{
mainSail.setCriticAngle();
}
if (windTBA > 5 || windTBA < 355)
{
tacking = true;
if (windTBA < 180)
{
mainSail.Tack(appWind, +1, dt);
}
else
{
mainSail.Tack(appWind, -1, dt);
}
}
else
{
jibbing = true;
if (windTBA < 180)
{
mainSail.Jibe(appWind, +1, dt);
}
else
{
mainSail.Jibe(appWind, -1, dt);
}
}
if (mainSail.CheckFinishedTackOrJibe()) // nekde je t problem
{
tacking = false;
jibbing = false;
mainSail.underControl = true;
mainSail.underControlFirstly = true;
}
}
}
void SailBoat::Sails::ReleaseMainSheat(Vec2 appWind, const float windTBA, const float dt)
{
if (mainSail.CheckWindToMainSail(windTBA))
{
if (windTBA < 180)
{
if (mainSail.getMainSailAngle() < maxMainSailAngle)
{
mainSail.TurnBoom(+1, dt);
}
}
else
{
if (mainSail.getMainSailAngle() > -maxMainSailAngle)
{
mainSail.TurnBoom(-1, dt);
}
}
}
}
SailBoat::Sails::MainSail::MainSail(float mainSailAngle)
:
mainSailAngle(mainSailAngle)
{
}
void SailBoat::Sails::MainSail::Draw(Graphics & gfx) const
{
float sailRadius = 200;
// prepocet podle bearing uhlu:
float b_angle = 180 - mainSailAngle;
// boom:
Vec2 boomCenter = Vec2(mastPositionX, mastPositionY);
Vec2 vecOfBoom = { 0,boomLength };
vecOfBoom.Rotate(b_angle);
Vec2 boomEnd = boomCenter - vecOfBoom;
gfx.DrawAbscissa(boomCenter, boomEnd, boomThickness, boomColor);
// mainSheet:
Vec2 sheetCenter = Vec2(mastPositionX, playerBoatLocationY + Hull::hullHeight);
gfx.DrawAbscissa(sheetCenter, boomEnd, mainSheetThickness, mainSheetColor);
//gfx.DrawCircleCurve(Vec2(mastPositionX,mastPositionY), mainSailLength, sailRadius, b_angle, mainSailThickness, mainSailColor);
}
void SailBoat::Sails::MainSail::TurnBoom(const float direction, const float dt)
{
mainSailAngle += direction * speedOfControlling * dt;
}
float SailBoat::Sails::MainSail::getMainSailAngle() const
{
return mainSailAngle;
}
bool SailBoat::Sails::MainSail::CheckWindToMainSail(const float windToBoat)
{
if (windToBoat <= 180 && mainSailAngle > 0 || windToBoat >= 180 && mainSailAngle < 0)
{
return true;
}
return false;
}
void SailBoat::Sails::MainSail::Tack(Vec2 appWind, const float direction, const float dt)
{
speedOfControlling = basicSpeedOfControlling + appWind.GetLength() * speedOfTack;
TurnBoom(direction, dt);
speedOfControlling = basicSpeedOfControlling;
}
void SailBoat::Sails::MainSail::Jibe(Vec2 appWind, const float direction, const float dt)
{
speedOfControlling = basicSpeedOfControlling + appWind.GetLength() * speedOfJibe;
TurnBoom(direction, dt);
speedOfControlling = basicSpeedOfControlling;
}
void SailBoat::Sails::MainSail::setCriticAngle()
{
underControlFirstly = false;
angleAtCriticPoint = mainSailAngle;
}
bool SailBoat::Sails::MainSail::CheckFinishedTackOrJibe()
{
return mainSailAngle >= - angleAtCriticPoint - 0.2f && mainSailAngle <= -angleAtCriticPoint + 0.2f;
}
| [
"[email protected]"
] | |
b8b09a841abec32e76ce01424801b8f2f0e81b2e | 11d5aceb7ac0db461d32a07e22909f674eeeec59 | /game/script/polizclean.h | bce378385136529662b64c55edab3e5062b0e658 | [] | no_license | apathism/cmc-projects | d75711897aecf241d535f7b0331363bcbc97e519 | 9603884113b696b80a5c58221ad8d7b93552dd88 | refs/heads/master | 2020-04-15T13:26:45.178404 | 2018-09-05T11:59:40 | 2018-09-05T11:59:40 | 164,716,907 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 356 | h | #ifndef __SCRIPT_POLIZCLEAN
#define __SCRIPT_POLIZCLEAN
#include "polizitem.h"
namespace script
{
class PolizClean: public PolizItem
{
PolizClean(const PolizClean&);
public:
PolizClean();
Cloneable* Clone() const;
int Evaluate(
asl::Array<asl::String>&,
asl::PointerArray&, int
) const;
asl::String toString() const;
};
}
#endif
| [
"[email protected]"
] | |
0a6484022aae23029fab6be64cf4d4443dd37594 | e7be2ee48f952308f5672240c2c833d718d9d431 | /Juliet_Test_Suite_v1.3_for_C_Cpp/C/testcases/CWE789_Uncontrolled_Mem_Alloc/s02/CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_fgets_62b.cpp | cc0e6f104d3b496c0bcd493e274cd1b51094078f | [] | no_license | buihuynhduc/tooltest | 5146c44cd1b7bc36b3b2912232ff8a881269f998 | b3bb7a6436b3ab7170078860d6bcb7d386762b5e | refs/heads/master | 2020-08-27T20:46:53.725182 | 2019-10-25T05:42:36 | 2019-10-25T05:42:36 | 217,485,049 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,102 | cpp | /* TEMPLATE GENERATED TESTCASE FILE
Filename: CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_fgets_62b.cpp
Label Definition File: CWE789_Uncontrolled_Mem_Alloc__new.label.xml
Template File: sources-sinks-62b.tmpl.cpp
*/
/*
* @description
* CWE: 789 Uncontrolled Memory Allocation
* BadSource: fgets Read data from the console using fgets()
* GoodSource: Small number greater than zero
* Sinks:
* GoodSink: Allocate memory with new [] and check the size of the memory to be allocated
* BadSink : Allocate memory with new [], but incorrectly check the size of the memory to be allocated
* Flow Variant: 62 Data flow: data flows using a C++ reference from one function to another in different source files
*
* */
#include "std_testcase.h"
#ifndef _WIN32
#include <wchar.h>
#endif
#define CHAR_ARRAY_SIZE (3 * sizeof(data) + 2)
#define HELLO_STRING L"hello"
namespace CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_fgets_62
{
#ifndef OMITBAD
void badSource(size_t &data)
{
{
char inputBuffer[CHAR_ARRAY_SIZE] = "";
/* POTENTIAL FLAW: Read data from the console using fgets() */
if (fgets(inputBuffer, CHAR_ARRAY_SIZE, stdin) != NULL)
{
/* Convert to unsigned int */
data = strtoul(inputBuffer, NULL, 0);
}
else
{
printLine("fgets() failed.");
}
}
}
#endif /* OMITBAD */
#ifndef OMITGOOD
/* goodG2B() uses the GoodSource with the BadSink */
void goodG2BSource(size_t &data)
{
/* FIX: Use a relatively small number for memory allocation */
data = 20;
}
/* goodB2G() uses the BadSource with the GoodSink */
void goodB2GSource(size_t &data)
{
{
char inputBuffer[CHAR_ARRAY_SIZE] = "";
/* POTENTIAL FLAW: Read data from the console using fgets() */
if (fgets(inputBuffer, CHAR_ARRAY_SIZE, stdin) != NULL)
{
/* Convert to unsigned int */
data = strtoul(inputBuffer, NULL, 0);
}
else
{
printLine("fgets() failed.");
}
}
}
#endif /* OMITGOOD */
} /* close namespace */
| [
"[email protected]"
] | |
2a23a866515f96bce0673884f9ed149460d6b51a | 2944aef96e40141036c8374fad45f20aaa341a0c | /costomer.hpp | 46a16e0471b79b88155eba49d3053b8039f4d135 | [] | no_license | sajjadrezaiy/newproject1 | b189241959fb0fa02bc2789d3cf79d4a28504f9d | cb84fea740e1ccdcb4b87c5bbc19c701494289d2 | refs/heads/master | 2020-04-09T17:20:47.118796 | 2018-12-05T10:19:57 | 2018-12-05T10:19:57 | 160,478,203 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 762 | hpp | #include <iostream>
using namespace std;
class customer
{
int arrtime,servtime;
int number;
char type; //man or woman
public:
customer(){ //constructor
arrtime=0;
servtime=0;
number=0;
type='m';
}
//******************************************************
void settime(int x)
{
arrtime=x;
}
void setnubmer(int x){
number=x;
}
void setservtime(int x){
servtime=x;
}
//*****************************************************
int gettime(){
return arrtime;
}
int getnubmer(){
return number;
}
int getsertime(){
return servtime;
}
//**************************************************************
void addbook_to_stack(){
}
}
;
| [
"[email protected]"
] | |
e3f6fd9795747785a3cf73eec15a0b1c56c794b0 | f9107d564685bce224fdf15a1ff01bbcdca5834e | /Task1/Summator/tests/SummatorTest/SummatorTest.h | 66cb4d6d29ebe51244b31729c5579ee58d4ab288 | [] | no_license | Malik1998/Mipt-Term5-ParallelComputing | 349525e65917728ffb8f9eb9ef11ae59a7ebf0af | 7628eba3a180f2f6ee344158be15a35ffd25fa6f | refs/heads/master | 2020-04-08T11:09:24.574352 | 2018-12-09T18:26:51 | 2018-12-09T18:26:51 | 159,295,193 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 452 | h | //
// Created by user on 08.09.18.
//
#ifndef PROCESSOR_PROCESSORTEST_H
#define PROCESSOR_PROCESSORTEST_H
#include <gtest/gtest.h>
class SummatorTest : public ::testing::Test {
public:
SummatorTest() { /* init protected members here */ };
~SummatorTest() { /* free protected members here */ };
void SetUp() { /* called before every test */ };
void TearDown() { /* called after every test */ };
};
#endif //PROCESSOR_PROCESSORTEST_H
| [
"[email protected]"
] | |
454da83ca97538fdde0b54956d6f222ae097e491 | 5f345f3063e1099a982671db5e214a464eaf5fd8 | /Engine/src/Fjord/ECS/Systems/GameSystem.h | d65378cb874975848a2b492c17aa89d1c122eac1 | [
"Apache-2.0"
] | permissive | BarbedCrow/Fjord | 94909a24454135dc152ff919389219c0fcaeaa1b | fdcbf3a44ee3dc2e2f2ff65169f219b214e6674e | refs/heads/main | 2023-07-06T19:45:06.968417 | 2021-08-16T18:22:00 | 2021-08-16T18:22:00 | 389,767,696 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 494 | h | #pragma once
#include <entt/entt.hpp>
#include "Fjord/ECS/Scene.h"
namespace Fjord
{
class GameSystem
{
public:
GameSystem(Ref<Scene>& scene, bool isActive = true) : m_Scene(scene), m_Active(isActive) {}
virtual ~GameSystem() {}
virtual void Activate() { m_Active = true; }
virtual void Deactivate() { m_Active = false; }
inline bool IsActive() const { return m_Active; }
virtual void Update() = 0;
protected:
Ref<Scene> m_Scene;
private:
bool m_Active = false;
};
} | [
"[email protected]"
] | |
957333bb0974f1b9028f1b0635fd36e406d06eee | e64657da6aa61403ed2e363fd192c19412cf3ef2 | /jihyun/Intermediate_Algo_1:3/531_BF/16197_BFS.cpp | 96a543234a896894cc4df3b09e1e0f2177e464c3 | [] | no_license | chaeeon-lim/ProgrammingLearners | 09015dff6ab35b8e12efd1fe31e4aa34b992aae7 | 465cf5c436bc0ccdb7d570a58163584976342b4d | refs/heads/master | 2022-11-06T16:06:04.332715 | 2020-06-30T08:48:09 | 2020-06-30T08:48:09 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,325 | cpp |
#include<iostream>
#include<vector>
#include<queue>
#include<cstring>
using namespace std;
typedef struct _ball{
int bx1, by1, bx2, by2;
_ball(int _x1, int _y1, int _x2, int _y2) : bx1(_x1), by1(_y1), bx2(_x2), by2(_y2) {}
}ball;
int n, m;
char board[20][20];
int dx[] = {0,0,-1,1};
int dy[] = {-1,1,0,0};
int dist[20][20][20][20];
bool out(int x, int y){
if(x<0 || x>n-1 || y<0 || y>m-1)
return true;
return false;
}
int main(){
ios_base::sync_with_stdio(false);
cin.tie(nullptr);
cin >> n >> m;
vector<pair<int, int>> coin;
memset(dist, -1, sizeof(dist));
for(int i=0; i<n; i++){
for(int j=0; j<m; j++){
cin >> board[i][j];
if(board[i][j] == 'o')
coin.push_back({i,j});
}
}
int bx1 = coin[0].first;
int by1 = coin[0].second;
int bx2 = coin[1].first;
int by2 = coin[1].second;
queue<ball> q;
dist[bx1][by1][bx2][by2] = 0;
q.push(ball(bx1, by1, bx2, by2));
while (!q.empty()) {
ball b = q.front();
q.pop();
int x1, y1, x2, y2;
x1 = b.bx1; y1 = b.by1; x2 = b.bx2; y2 = b.by2;
if (dist[x1][y1][x2][y2] == 10) {
break;
}
for (int k = 0; k < 4; k++) {
int tx1, ty1, tx2, ty2;
tx1 = x1 + dx[k];
ty1 = y1 + dy[k];
tx2 = x2 + dx[k];
ty2 = y2 + dy[k];
if (out(tx1, ty1) && out(tx2, ty2)) continue;
if (out(tx1, ty1) ^ out(tx2, ty2)) {
cout << dist[x1][y1][x2][y2] + 1 << '\n';
return 0;
}
if (!out(tx1, ty1)) {
if (board[tx1][ty1] == '#') {
tx1 -= dx[k];
ty1 -= dy[k];
}
}
if (!out(tx2, ty2)) {
if (board[tx2][ty2] == '#') {
tx2 -= dx[k];
ty2 -= dy[k];
}
}
if (dist[tx1][ty1][tx2][ty2] == -1) {
dist[tx1][ty1][tx2][ty2] = dist[x1][y1][x2][y2] + 1;
q.push(ball(tx1, ty1, tx2, ty2));
}
}
}
cout << -1;
return 0;
}
| [
"[email protected]"
] | |
2240fe98c20a235a31b7c8c248dbe1763ed66575 | 3cf292ac3865abab2421a8c6076b6df11fd46ee5 | /Queue.h | 02f82caf5e8ce3294851267f4721dd6aa61aab29 | [] | no_license | erxiu/MiniStl | 3f87069aff682c7362386db3308574ba54dcb8f9 | 897319a12e2a884eb192c947a4e20afdfaab59c1 | refs/heads/master | 2022-01-13T06:50:16.779190 | 2019-06-20T05:10:31 | 2019-06-20T05:10:31 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,281 | h | #ifndef __MINISTL_QUEUE_H
#define __MINISTL_QUEUE_H
#include"Deque.h"
#include"Utility.h"
namespace MiniStl
{
template<class T, class Container = deque<T>>
class queue
{
public:
typedef Container container_type;
typedef typename container_type::value_type value_type;
typedef typename container_type::reference reference;
typedef typename container_type::const_reference const_reference;
typedef typename container_type::size_type size_type;
public:
// constructor
queue() : c() {}
queue(const queue& rhs) : c(rhs.c) {}
template<class InputIterator>
queue(InputIterator first, InputIterator last) : c(first, last) {}
bool empty() const
{
return c.empty();
}
size_type size() const
{
return c.size();
}
void push(const value_type& value)
{
c.push_back(value);
}
void pop()
{
c.pop_front();
}
value_type front()
{
return c.front();
}
value_type back()
{
return c.back();
}
bool operator==(const queue& rhs) const
{
return c == rhs.c;
}
bool operator!=(const queue& rhs) const
{
return !(operator==(rhs));
}
void swap(queue& rhs)
{
using MiniStl::swap;
swap(c, rhs.c);
}
private:
container_type c;
};
template<class T, class Container>
bool operator==(const queue<T, Container>& lhs, const queue<T, Container>& rhs)
{
return lhs.operator==(rhs);
}
template<class T, class Container>
bool operator!=(const queue<T, Container>& lhs, const queue<T, Container>& rhs)
{
return !(lhs == rhs);
}
template<class T, class Container>
void swap(queue<T, Container>& lhs, queue<T, Container>& rhs)
{
lhs.swap(rhs);
}
}
#endif
| [
"[email protected]"
] | |
42f4fdcfed36a6a31ba97afdd91dbc336b266987 | 14999861023015579b9cd1d08b5692f8425bdcf1 | /miwu/Classes/ApiParser.cpp | 23fae0f017dadbfa650d746f613ca42c20e66183 | [] | no_license | jishankai/miwu | 5e9b554f825703414f518c34bf4fc97755830165 | 15ed8f165a5687ca4ace9ffe446c112915119f78 | refs/heads/master | 2021-06-08T13:23:41.748527 | 2014-03-14T10:14:05 | 2014-03-14T10:14:05 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 573 | cpp | //
// ApiParser.cpp
// miwu
//
// Created by Ji Shankai on 13-10-20.
//
//
#include "ApiParser.h"
USING_NS_CC;
USING_NS_CC_EXT;
void ApiParser::requestApi(const char* url)
{
cocos2d::extension::CCHttpRequest* request = new cocos2d::extension::CCHttpRequest();
request->setUrl(url);
request->setRequestType(CCHttpRequest::kHttpGet);
request->setResponseCallback(this, httpresponse_selector(ApiParser::onHttpRequestCompleted));
request->setTag("Process");
cocos2d::extension::CCHttpClient::getInstance()->send(request);
request->release();
} | [
"[email protected]"
] | |
5dd8e07c8bb8e1e85fcc83f7e4e113a515de3a63 | f39d917be5456c580fb4cbfcdaca95ffacf1f0cf | /src/kudu/tools/tool_main.cc | 82c9e0c87607219fb6ab1b6f5bc64d1ba47ac14c | [
"Apache-2.0",
"BSD-3-Clause",
"dtoa",
"MIT",
"BSL-1.0",
"LicenseRef-scancode-public-domain"
] | permissive | jinossy/kudu | 545af47887894933ec60a1902b6527764661a76c | 98fe55f5c492fbf1a77021d160336e4d8164795f | refs/heads/master | 2021-01-12T19:59:02.635781 | 2016-07-28T05:15:06 | 2016-08-16T01:33:07 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,838 | cc | // 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.
#include <deque>
#include <gflags/gflags.h>
#include <glog/logging.h>
#include <iostream>
#include <string>
#include <vector>
#include "kudu/gutil/strings/substitute.h"
#include "kudu/tools/tool_action.h"
#include "kudu/util/flags.h"
#include "kudu/util/logging.h"
#include "kudu/util/status.h"
DECLARE_bool(help);
DECLARE_bool(helpshort);
DECLARE_string(helpon);
DECLARE_string(helpmatch);
DECLARE_bool(helppackage);
DECLARE_bool(helpxml);
using std::cerr;
using std::cout;
using std::deque;
using std::endl;
using std::string;
using std::vector;
using strings::Substitute;
namespace kudu {
namespace tools {
int DispatchCommand(const vector<Action>& chain, const deque<string>& args) {
DCHECK(!chain.empty());
Action action = chain.back();
Status s = action.run(chain, args);
if (s.ok()) {
return 0;
} else {
cerr << s.ToString() << endl;
return 1;
}
}
int RunTool(const Action& root, int argc, char** argv, bool show_help) {
// Initialize arg parsing state.
vector<Action> chain = { root };
// Parse the arguments, matching them up with actions.
for (int i = 1; i < argc; i++) {
const Action* cur = &chain.back();
const auto& sub_actions = cur->sub_actions;
if (sub_actions.empty()) {
// We've reached an invokable action.
if (show_help) {
cerr << cur->help(chain) << endl;
return 1;
} else {
// Invoke it with whatever arguments remain.
deque<string> remaining_args;
for (int j = i; j < argc; j++) {
remaining_args.push_back(argv[j]);
}
return DispatchCommand(chain, remaining_args);
}
}
// This action is not invokable. Interpret the next command line argument
// as a subaction and continue parsing.
const Action* next = nullptr;
for (const auto& a : sub_actions) {
if (a.name == argv[i]) {
next = &a;
break;
}
}
if (next == nullptr) {
// We couldn't find a subaction for the next argument. Raise an error.
string msg = Substitute("$0 $1\n",
BuildActionChainString(chain), argv[i]);
msg += BuildHelpString(sub_actions, BuildUsageString(chain));
Status s = Status::InvalidArgument(msg);
cerr << s.ToString() << endl;
return 1;
}
// We're done parsing this argument. Loop and continue.
chain.emplace_back(*next);
}
// We made it to a subaction with no arguments left. Run the subaction if
// possible, otherwise print its help.
const Action* last = &chain.back();
if (show_help || !last->run) {
cerr << last->help(chain) << endl;
return 1;
} else {
DCHECK(last->run);
return DispatchCommand(chain, {});
}
}
} // namespace tools
} // namespace kudu
static bool ParseCommandLineFlags(int* argc, char*** argv) {
// Hide the regular gflags help unless --helpfull is used.
//
// Inspired by https://github.com/gflags/gflags/issues/43#issuecomment-168280647.
bool show_help = false;
gflags::ParseCommandLineNonHelpFlags(argc, argv, true);
if (FLAGS_help ||
FLAGS_helpshort ||
!FLAGS_helpon.empty() ||
!FLAGS_helpmatch.empty() ||
FLAGS_helppackage ||
FLAGS_helpxml) {
FLAGS_help = false;
FLAGS_helpshort = false;
FLAGS_helpon = "";
FLAGS_helpmatch = "";
FLAGS_helppackage = false;
FLAGS_helpxml = false;
show_help = true;
}
gflags::HandleCommandLineHelpFlags();
return show_help;
}
int main(int argc, char** argv) {
kudu::tools::Action root = {
argv[0],
"The root action", // doesn't matter, won't get printed
nullptr,
&kudu::tools::BuildNonLeafActionHelpString,
{
kudu::tools::BuildFsAction(),
kudu::tools::BuildTabletAction()
}
};
string usage = root.help({ root });
google::SetUsageMessage(usage);
bool show_help = ParseCommandLineFlags(&argc, &argv);
FLAGS_logtostderr = true;
kudu::InitGoogleLoggingSafe(argv[0]);
return kudu::tools::RunTool(root, argc, argv, show_help);
}
| [
"[email protected]"
] | |
26f83ba889ea3d785494a9bfa47c7cc371566dc5 | d062239e577cc93d0d7e7bdef5ea4f745ccf9000 | /ShiftingCircle/src/ParticleController.cpp | 88e92448cd892721523be80aef60e227f0470744 | [] | no_license | williamchyr/CinderExamples | 5b252fd566f5e6ade7dcdf6e77937a7152252a64 | 3f94caaf3ed38677f19d25394a3878cc3ff0dc36 | refs/heads/master | 2020-04-09T12:45:52.385266 | 2012-01-26T21:12:08 | 2012-01-26T21:12:08 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,160 | cpp | #include "cinder/app/AppBasic.h"
#include "cinder/Rand.h"
#include "cinder/Vector.h"
#include "ParticleController.h"
#include <vector>
using namespace ci;
using std::list;
using std::vector;
ParticleController::ParticleController()
{
angle = 25;
}
void ParticleController::init() {
dead = false;
}
void ParticleController::update( const Perlin &perlin, const Vec2i &mouseLoc )
{
//coordinates.clear();
for (int i = 0; i < mParticles.size(); i++ ) {
float angle;
mParticles[i].particleAngle += M_PI/mParticles[i].angleChange;
mParticles[i].update(perlin);
coordinates[i] = mParticles[i].mLoc;
if (mParticles[i].mIsDead){
dead = true;
//mParticles.erase (mParticles.begin()+i);
}
}
}
void ParticleController::draw()
{
/*
for( list<Particle>::iterator p = mParticles.begin(); p != mParticles.end(); ++p ){
p->draw();
}
*/
glColor4f( 1.0, 1.0, 0.0, 1.0*mParticles[0].mAgePer );
for (int i = 0; i < mParticles.size(); i++ ) {
mParticles[i].draw();
}
if (coordinates.size() > 1) {
for (int i = 0; i < coordinates.size()-1; i++ ) {
gl::drawLine(coordinates[i], coordinates[i+1]);
}
gl::drawLine( coordinates[0], coordinates[ coordinates.size()-1 ] );
}
}
void ParticleController::addParticles( int amt, const Vec2i &mouseLoc, const Vec2f &mouseVel )
{
for( int i=0; i<amt; i++ )
{
angle = i * ( (2 * M_PI)/amt);
//Vec2f loc = mouseLoc + Rand::randVec2f() * 5.0f;
Vec2f loc;
loc.x = mouseLoc.x + 100*sin(angle);
loc.y = mouseLoc.y + 100*cos(angle);
coordinates.push_back(loc);
//Vec2f velOffset = Rand::randVec2f() * Rand::randFloat( 1.0f, 5.0f );
//Vec2f vel = mouseVel * 0.375f + velOffset;
Vec2f vel;
vel.set( sin(angle), cos(angle) );
vel *= Rand::randFloat(3, 10);
mParticles.push_back( Particle( loc, vel ) );
}
}
void ParticleController::removeParticles( int amt )
{
for( int i=0; i<amt; i++ )
{
mParticles.pop_back();
}
}
| [
"[email protected]"
] | |
f60f922efd1fea4d51e54d316ef380cbed2f768c | 50217ceede2d6a0c10ed5e3a45854cd69f4ae05f | /dsa/XVDPU-TRD/vck190_platform/overlays/Vitis_Libraries/vision/L1/examples/otsuthreshold/xf_otsuthreshold_tb.cpp | 47f63436cd33376522a0584f2d0072923c7f6c2b | [
"LicenseRef-scancode-free-unknown",
"Apache-2.0",
"LicenseRef-scancode-warranty-disclaimer",
"BSD-3-Clause"
] | permissive | poldni/Vitis-AI | ddf79938629d4a8c20e1e4997f6445ec42ec7fed | 981f85e04d9b4b8fc2f97e92c0cf28206fde0716 | refs/heads/master | 2022-05-18T06:39:13.094061 | 2022-03-28T19:39:26 | 2022-03-28T19:39:26 | 455,650,766 | 0 | 0 | Apache-2.0 | 2022-02-04T18:14:19 | 2022-02-04T18:14:18 | null | UTF-8 | C++ | false | false | 3,226 | cpp | /*
* Copyright 2019 Xilinx, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include "common/xf_headers.hpp"
#include "xf_otsuthreshold_config.h"
// Reference implementation:
double GetOtsuThresholdFloat(cv::Mat _src) {
cv::Size size = _src.size();
if (_src.isContinuous()) {
size.width *= size.height;
size.height = 1;
}
const int N = 256;
int i, j, h[N] = {0};
for (i = 0; i < size.height; i++) {
const unsigned char* src = _src.data + _src.step * i;
j = 0;
for (; j < size.width; j++) {
h[src[j]]++;
}
}
double mu = 0.f;
double scale;
scale = 1. / (size.width * size.height);
for (i = 0; i < N; i += 2) {
double a = (double)h[i];
double b = (double)h[i + 1];
mu += i * (a + b) + b;
}
mu = mu * scale;
double mu1 = 0, q1 = 0;
double max_sigma = 0, max_val = 0;
for (i = 0; i < N; i++) {
double p_i, q2, mu2, sigma;
p_i = h[i] * scale;
mu1 *= q1;
q1 += p_i;
q2 = 1. - q1;
if (std::min(q1, q2) < FLT_EPSILON || std::max(q1, q2) > 1. - FLT_EPSILON) continue;
mu1 = (mu1 + i * p_i) / q1;
mu2 = (mu - q1 * mu1) / q2;
sigma = q1 * q2 * (mu1 - mu2) * (mu1 - mu2);
if (sigma > max_sigma) {
max_sigma = sigma;
max_val = i;
}
}
return max_val;
}
/***************************************************************************/
int main(int argc, char** argv) {
if (argc != 2) {
fprintf(stderr, "Usage: %s <INPUT IMAGE PATH>", argv[0]);
return EXIT_FAILURE;
}
cv::Mat img, res_img;
// Reading in the image:
img = cv::imread(argv[1], 0);
if (img.data == NULL) {
fprintf(stderr, "ERROR: Cannot open image %s\n ", argv[1]);
return EXIT_FAILURE;
}
// Parameters for Otsu:
double Otsuval_ref;
uint8_t Otsuval;
int maxdiff = 0;
int height = img.rows;
int width = img.cols;
res_img = img.clone();
// Reference function:
Otsuval_ref = GetOtsuThresholdFloat(res_img);
// HLS function
otsuthreshold_accel((ap_uint<PTR_WIDTH>*)img.data, Otsuval, height, width);
// Results verification:
if (abs(Otsuval_ref - Otsuval) > maxdiff) maxdiff = abs(Otsuval_ref - Otsuval);
std::cout << "INFO: Otsu threshold results obtained:" << std::endl;
std::cout << "\tReference: " << (int)Otsuval_ref << "\tHLS Threshold : " << (int)Otsuval
<< "\tDifference : " << (int)maxdiff << std::endl;
if (maxdiff > 1) {
fprintf(stderr, "ERROR: Test Failed.\n ");
return EXIT_FAILURE;
}
return 0;
}
| [
"[email protected]"
] | |
7777b8ca2c6fae58cbcdce0169275c39fcfe452b | 2905e6745a67004580aa70a3fa246aa47c0eee97 | /netsim/src/ssfnet/os/emu/tap_device.h | 0a34110e9fc4e9bb20ab9b4c458de2cb68822904 | [] | no_license | summonersRift/primogeni | 32cbf949f62e6442d0748258dfdff2dd63199a3b | 763cf746dcd7c9c4d3d20d328899cb96efe6da69 | refs/heads/master | 2020-12-25T00:08:58.727433 | 2015-01-30T18:13:36 | 2015-01-30T18:13:36 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,208 | h | /**
* \file tap_device.h
* \brief XXX
* \author Nathanael Van Vorst
*
* Copyright (c) 2011 Florida International University.
*
* Permission is hereby granted, free of charge, to any individual or
* institution obtaining a copy of this software and associated
* documentation files (the "software"), to use, copy, modify, and
* distribute without restriction.
*
* The software is provided "as is", without warranty of any kind,
* express or implied, including but not limited to the warranties of
* merchantability, fitness for a particular purpose and
* non-infringement. In no event shall Florida International
* University be liable for any claim, damages or other liability,
* whether in an action of contract, tort or otherwise, arising from,
* out of or in connection with the software or the use or other
* dealings in the software.
*
* This software is developed and maintained by
*
* Modeling and Networking Systems Research Group
* School of Computing and Information Sciences
* Florida International University
* Miami, Florida 33199, USA
*
* You can find our research at http://www.primessf.net/.
*/
#ifdef SSFNET_EMULATION
#ifndef __EMUTAPDEVICE_H__
#define __EMUTAPDEVICE_H__
//#define USE_TX_RING //if not defined we use a regular raw socket
#include "os/emu/util.h"
#include "os/emu/emulation_device.h"
#include "os/trie.h"
#include "os/emu/portal_emu_proto.h"
#include "proto/ipv4/ipv4_message.h"
#ifndef PRIME_SSF_MACH_X86_DARWIN
#include <pcap.h>
#endif
#include <sys/socket.h>
#include <sys/time.h>
#include <sys/types.h>
#include <sys/ioctl.h>
#include <sys/mman.h>
#include <sys/stat.h>
#include <sys/select.h>
#include <arpa/inet.h>
#include <net/if.h>
#include <netinet/in.h>
#include <fcntl.h>
#include <string.h>
#ifndef PRIME_SSF_MACH_X86_DARWIN
#include <linux/if_tun.h>
#include <linux/if_ether.h>
#include <linux/if_packet.h>
#endif /*PRIME_SSF_ARCH_X86_DARWIN*/
namespace prime {
namespace ssfnet {
class TAPDevice;
class VETH {
public:
typedef SSFNET_MAP(UID_t,VETH*) UIDMap;
typedef SSFNET_MAP(IPAddress,VETH*) IPMap;
typedef SSFNET_MAP(MACAddress,VETH*) MACMap;
VETH(EmulationProtocol* emuproto, TAPDevice* dev);
~VETH();
void init();
bool process_pkts(int max_pkts);
void sendPacket(EmulationEvent* evt, MACAddress& dstmac);
inline EmulationProtocol* getEmuProto(){ return emuproto; }
#ifndef PRIME_SSF_MACH_X86_DARWIN
inline pcap_t* getPcapHandle(){ return pcap_handle; }
#endif
inline int getRxFD() { return rx_fd; }
inline int getTxFD() { return tx_fd; }
MACAddress& getMAC() { return mac; }
IPAddress& getIP() { return ip;}
void sendArpRequest(uint32 ip);
void sendArpResponse(MACAddress requester_mac, IPAddress requester_ip, IPAddress requested_ip, MACAddress requested_mac);
friend PRIME_OSTREAM& operator<< (PRIME_OSTREAM& o, VETH const& veth);
private:
#ifndef PRIME_SSF_MACH_X86_DARWIN
#ifdef USE_TX_RING
struct tpacket_hdr * nextTxFrame();
#endif
#endif
static void process_pkt(u_char * veth, const struct pcap_pkthdr * pkt_meta, const u_char * pkt);
MACAddress mac;
IPAddress ip;
TAPDevice* dev;
EmulationProtocol* emuproto;
int rx_fd, tx_fd;
#ifndef PRIME_SSF_MACH_X86_DARWIN
/** for receiving */
pcap_t * pcap_handle;
/** for sending */
#ifdef USE_TX_RING
volatile int tx_data_offset;
int tx_idx;
volatile struct tpacket_hdr * tx_header_start;
#else
byte* sendbuf;
#endif
struct sockaddr_ll my_addr;
#ifdef USE_TX_RING
struct tpacket_req s_packet_req;
#endif
#endif
/** local state */
/** static vars configured via env variables**/
#ifdef USE_TX_RING
static int c_buffer_sz; //default 1024*8
static int c_buffer_nb; //default 1024
static int c_sndbuf_sz; //default 0
#endif
static int c_mtu; //default 0
static int mode_loss; //default 1
static bool sconfiged;
};
class TAPDevice : public BlockingEmulationDevice {
public:
typedef SSFNET_MAP(IPAddress,MACAddress) IP2MACMap;
friend class VETH;
enum ThreadType {
READER=0,
WRITER=1
};
/**
* the constructor
*/
TAPDevice();
/**
* the deconstructor
*/
virtual ~TAPDevice();
/** Initialize the device.
* derived classes must implement this
*/
virtual void init();
/**
* close the emulation device
*/
virtual void wrapup();
/** Called by the I/O manager to register an interface/protocol with this device.
* Once the device is setup it should call back to the EmulationProtocol with itself as
* the emulation device.
*/
virtual void registerEmulationProtocol(EmulationProtocol* emu_proto);
/**
*
*/
virtual void registerProxiedEmulationProtocol(EmulationDeviceProxy* dev, EmulationProtocol* emu_proto);
/** called by EmulationProtocols to export messages */
virtual void exportPacket(Interface* iface, Packet* pkt);
/**
* called by the i/o manager to handle proxied emulation evts
*/
virtual void handleProxiedEvent(EmulationEvent* evt);
/**
* returns whether this emulation device is ready
*/
virtual bool isActive();
/**
* If this type of protocol requires that only one instance exist on a host
* then only _1_ I/O manager can create one of these devices. All other
* I/O managers must proxy access to the owning I/OManager.
* then
*/
virtual bool requiresSingleInstancePerHost();
/**
* Get the type of emulation device
*/
virtual int getDeviceType();
/**
* return the emulation protocl that corresponds to the ip
*/
virtual EmulationProtocol* ip2EmulationProtocol(IPAddress& ip);
/**
* Called by read to implement the reader thread
*/
virtual void reader_thread();
/**
* Called by write to implement the writer thread
*/
virtual void writer_thread();
protected:
void handleArp(VETH* veth, EthernetHeader* eth, ARPHeader* request);
MACAddress* lookupMAC(IPAddress ip);
void insertIntoSim(EthernetHeader* eth, IPv4RawHeader* ip, uint32_t len);
IP2MACMap ip2mac;
VETH::MACMap mac2veth;
VETH::IPMap ip2veth;
VETH::UIDMap uid2veth;
WaitingArpEvt::List watingForArps;
int maxfd;
IPPrefix sim_net;
MACAddress mymac;
};
} //namespace ssfnet
} //namespace prime
#endif /*__EMUTAPDEVICE_H__*/
#endif /*SSFNET_EMULATION*/
| [
"[email protected]"
] | |
dd859c9480913a3ede21bc98dbdc102ad64c7ae2 | 176474ddb79b251e51aa005f7a30b68526ce7808 | /3.Coding-Sites-Practise/CodeForces/contest/pairsoftoys/code.cpp | 445f5d1f0db8962326ba57ff53034236e365cc90 | [] | no_license | ashish1500616/Programming | 0f0b3c40be819ad71b77064ef4e2e31765588c53 | bdfe9cdf3aeee2875ff78231b04296dc5ba97383 | refs/heads/master | 2021-03-16T05:17:50.302515 | 2020-03-10T05:51:44 | 2020-03-10T05:51:44 | 121,101,900 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,287 | cpp | #include <bits/stdc++.h>
using namespace std;
#define inf 1e9
#define mod 1000000007
typedef long long ll;
typedef long double ld;
typedef vector<int> vi;
typedef vector<vi> vvi;
typedef vector<ll> vl;
typedef vector<bool> vb;
typedef vector<float> vf;
typedef vector<ld> vd;
typedef pair<int, int> pii;
typedef pair<ll, ll> pll;
typedef pair<ld, ld> pdd;
typedef vector<pii> vii;
typedef vector<pll> vll;
#define vec(x) vector<x>
#define sz(a) int((a).size())
#define get(x) cin >> x
#define put(x) cout << x
#define pls(x) cout << x << ' '
#define pln(x) cout << x << "\n"
// #define f(i, a, b) for (int i = a; i < b; i++)
// #define F(i, a, b) for (int i = b - 1; i >= a; i--)
#define rep(i, begin, end) \
for (__typeof(end) i = (begin) - ((begin) > (end)); \
i != (end) - ((begin) > (end)); i += 1 - 2 * ((begin) > (end)))
#define vput(a) \
rep(i, 0, a.z) pls(a[i]); \
nl;
#define vget(v) rep(i, 0, v.z) get(v[i]);
#define vsort(v) sort(v.begin(), v.end())
#define all(v) v.begin(), v.end()
#define vuni(v) v.erase(unique(all(v)), v.end())
#define pb push_back
#define mp make_pair
#define X first
#define Y second
#define vmin(v) *min_element(all(v))
#define vmax(v) *max_element(all(v))
#define total(v) accumulate(all(v), ll(0))
#define tr(c) \
for (auto it : (c)) { \
cout << it << " "; \
}
#define present(c, x) ((c).find(x) != (c).end())
#define cpresent(c, x) (find(all(c), x) != (c).end())
#define watch(x) cerr << (#x) << " is " << (x) << endl
#define eb(a, b) (a).emplace_back(b)
#define bs(v, x) binary_search(all(v), x)
#define parray(a, n) \
rep(i, 0, n) pls(a[i]); \
nl;
#define ppair(x) \
cout \
<< x.first \
<< 'cond line of each testcase contains nn space-separated integers a1,a2,…,an ' \
<< x.second << "\n";
#define vp(x, y) vector<pair<x, y>>
#define p(x, y) pair<x, y>
#define endl '\n'
#define nl cout << '\n';
#define w(a) while (a--)
#define wh(a) while (a)
ll maxi = LLONG_MAX;
ll mini = LLONG_MIN;
void fast() {
ios_base::sync_with_stdio(false);
cin.tie(NULL);
}
// macro to debug function
#define error(args...) \
{ \
string _s = #args; \
replace(_s.begin(), _s.end(), ',', ' '); \
stringstream _ss(_s); \
istream_iterator<string> _it(_ss); \
err(_it, args); \
}
void err(istream_iterator<string> it) {}
template <typename T, typename... Args>
void err(istream_iterator<string> it, T a, Args... args) {
cout << *it << " = " << a << "\n";
err(++it, args...);
}
#define con continue
#define bk break
#define ret return
#define fl flush
#define setpr fixed << setprecision
#define gl(a) getline(cin, a)
#define ppb pop_back
#define pow2(x) ((x) * (x))
#define modnum(x, m) ((((x) % (m)) + (m)) % (m))
#define max3(a, b, c) max(a, max(b, c))
#define min3(a, b, c) min(a, min(b, c))
#define pq priority_queue
#define fl flush
ll count = 0;
// TODO: Solve this Sum
def countSum(int s, int e, int n, k) {
if (s == e) {
}
}
int main() {
#ifndef ONLINE_JUDGE
freopen("input.txt", "r", stdin);
freopen("output.txt", "w", stdout);
#endif
fast();
ll n, k, count = 0;
get(n >> k);
countSum(n, k);
// for (ll i = 1; i < k; i++) {
// count++;
// }
// pln(count);
return 0;
}
| [
"[email protected]"
] | |
775028a2d9c9e4f83e41b0a277a8c6c2677b1c7e | 3af68b32aaa9b7522a1718b0fc50ef0cf4a704a9 | /cpp/E/E/E/C/B/AEEECB.h | 4274f5da5c497b078b4415f6215c8eab6293184c | [] | no_license | devsisters/2021-NDC-ICECREAM | 7cd09fa2794cbab1ab4702362a37f6ab62638d9b | ac6548f443a75b86d9e9151ff9c1b17c792b2afd | refs/heads/master | 2023-03-19T06:29:03.216461 | 2021-03-10T02:53:14 | 2021-03-10T02:53:14 | 341,872,233 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 67 | h | #ifndef AEEECB_H
namespace AEEECB {
std::string run();
}
#endif | [
"[email protected]"
] | |
61ca437ec204c664e8ec7426c9c3788d8ba51e0f | 76af8b47173dd11fd696ddbacf1caca9f556f440 | /maxheapsort-NON RECURSIVE.cpp | 524441800a272516e255dc8a6c27f5cccbbc77a1 | [] | no_license | thestarkraj/daa | 2aa0d51cd4fd71a1d224023caaf24b163bb50b85 | 66a39fe386f95082b771ddb6c216b1082cefc15b | refs/heads/master | 2020-03-27T20:55:05.563436 | 2018-09-02T16:29:47 | 2018-09-02T16:29:47 | 147,102,313 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 949 | cpp | #include<stdio.h>
void swap(int ar[],int value1,int value2)
{
int temp=ar[value1];
ar[value1]=ar[value2];
ar[value2]=temp;
}
void maxheapify(int ar[],int index,int n)
{
int highindex=index;
if((2*index<=n)&&ar[2*index]>ar[highindex])
highindex=2*index;
if((2*index+1<=n)&&ar[2*index+1]>ar[highindex])
highindex=2*index+1;
if(highindex!=index)
{
swap(ar,index,highindex);
maxheapify(ar,highindex,n);
}
}
void buildmaxheap(int ar[],int n)
{
if(n<1)
return ;
for(int i=n/2;i>=1;i--)
maxheapify(ar,i,n);
for(int i=n;i>=1;i--)
{
swap(ar,1,i);
maxheapify(ar,1,i-1);
}
}
void print(int ar[],int n)
{
for(int i=1;i<=n;i++)
{
printf("%d ",ar[i]);
}
}
main()
{
int n;
printf("\nHow many numbers you want to sort ");
scanf("%d",&n);
int ar[n+1];
printf("\nEnter the numbers in heap\n");
for(int i=1;i<=n;i++)
{
scanf("%d",&ar[i]);
}
printf("\nNumbers after heap sort\n");
buildmaxheap(ar,n);
print(ar,n);
}
| [
"[email protected]"
] | |
1a9552ee8ab906f91eae2ae51b6f8023150e5ea4 | ea4e3ac0966fe7b69f42eaa5a32980caa2248957 | /download/unzip/IOHIDFamily/IOHIDFamily-421.18.3/IOHIDFamily/AppleEmbeddedHIDEventService.cpp | a17f39920040f66858b370d1c1f6cab31c734cba | [] | no_license | hyl946/opensource_apple | 36b49deda8b2f241437ed45113d624ad45aa6d5f | e0f41fa0d9d535d57bfe56a264b4b27b8f93d86a | refs/heads/master | 2023-02-26T16:27:25.343636 | 2020-03-29T08:50:45 | 2020-03-29T08:50:45 | 249,169,732 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,917 | cpp | /*
*
* @APPLE_LICENSE_HEADER_START@
*
* Copyright (c) 1999-2003 Apple Computer, Inc. All Rights Reserved.
*
* This file contains Original Code and/or Modifications of Original Code
* as defined in and that are subject to the Apple Public Source License
* Version 2.0 (the 'License'). You may not use this file except in
* compliance with the License. Please obtain a copy of the License at
* http://www.opensource.apple.com/apsl/ and read it before using this
* file.
*
* The Original Code and all software distributed under the License are
* distributed on an 'AS IS' basis, WITHOUT WARRANTY OF ANY KIND, EITHER
* EXPRESS OR IMPLIED, AND APPLE HEREBY DISCLAIMS ALL SUCH WARRANTIES,
* INCLUDING WITHOUT LIMITATION, ANY WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE, QUIET ENJOYMENT OR NON-INFRINGEMENT.
* Please see the License for the specific language governing rights and
* limitations under the License.
*
* @APPLE_LICENSE_HEADER_END@
*/
#include "IOHIDEvent.h"
#include "AppleEmbeddedHIDEventService.h"
//===========================================================================
// AppleEmbeddedHIDEventService class
#define super IOHIDEventService
OSDefineMetaClassAndAbstractStructors( AppleEmbeddedHIDEventService, IOHIDEventService )
//====================================================================================================
// AppleEmbeddedHIDEventService::handleStart
//====================================================================================================
bool AppleEmbeddedHIDEventService::handleStart(IOService * provider)
{
uint32_t value;
if ( !super::handleStart(provider) )
return FALSE;
value = getOrientation();
if ( value )
setProperty(kIOHIDOrientationKey, value, 32);
value = getPlacement();
if ( value )
setProperty(kIOHIDPlacementKey, value, 32);
return TRUE;
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchAccelerometerEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchAccelerometerEvent(AbsoluteTime timestamp, IOFixed x, IOFixed y, IOFixed z, IOHIDAccelerometerType type, IOHIDAccelerometerSubType subType, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::accelerometerEvent(timestamp, x, y, z, type, subType, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchGyroEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchGyroEvent(AbsoluteTime timestamp, IOFixed x, IOFixed y, IOFixed z, IOHIDGyroType type, IOHIDGyroSubType subType, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::gyroEvent(timestamp, x, y, z, type, subType, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchCompassEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchCompassEvent(AbsoluteTime timestamp, IOFixed x, IOFixed y, IOFixed z, IOHIDCompassType type, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::compassEvent(timestamp, x, y, z, type, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchProximityEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchProximityEvent(AbsoluteTime timestamp, IOHIDProximityDetectionMask mask, UInt32 level, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::proximityEvent(timestamp, mask, level, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchAmbientLightSensorEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchAmbientLightSensorEvent(AbsoluteTime timestamp, UInt32 level, UInt32 channel0, UInt32 channel1, UInt32 channel2, UInt32 channel3, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::ambientLightSensorEvent(timestamp, level, channel0, channel1, channel2, channel3, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchTemperatureEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchTemperatureEvent(AbsoluteTime timestamp, IOFixed temperature, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::temperatureEvent(timestamp, temperature, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::dispatchPowerEvent
//====================================================================================================
void AppleEmbeddedHIDEventService::dispatchPowerEvent(AbsoluteTime timestamp, IOFixed measurement, IOHIDPowerType powerType, IOHIDPowerSubType powerSubType, IOOptionBits options)
{
IOHIDEvent * event = IOHIDEvent::powerEvent(timestamp, measurement, powerType, powerSubType, options);
if ( event ) {
dispatchEvent(event);
event->release();
}
}
//====================================================================================================
// AppleEmbeddedHIDEventService::getOrientation
//====================================================================================================
IOHIDOrientationType AppleEmbeddedHIDEventService::getOrientation()
{
return 0;
}
//====================================================================================================
// AppleEmbeddedHIDEventService::getPlacement
//====================================================================================================
IOHIDPlacementType AppleEmbeddedHIDEventService::getPlacement()
{
return 0;
}
| [
"[email protected]"
] | |
8020c774384279f02d01678460591f4596471959 | 0dca3325c194509a48d0c4056909175d6c29f7bc | /vod/include/alibabacloud/vod/model/GetAICaptionExtractionJobsResult.h | 157b93979cd7468b1ed02aabf95afb04654f3e8c | [
"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 | 1,841 | h | /*
* 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.
*/
#ifndef ALIBABACLOUD_VOD_MODEL_GETAICAPTIONEXTRACTIONJOBSRESULT_H_
#define ALIBABACLOUD_VOD_MODEL_GETAICAPTIONEXTRACTIONJOBSRESULT_H_
#include <string>
#include <vector>
#include <utility>
#include <alibabacloud/core/ServiceResult.h>
#include <alibabacloud/vod/VodExport.h>
namespace AlibabaCloud
{
namespace Vod
{
namespace Model
{
class ALIBABACLOUD_VOD_EXPORT GetAICaptionExtractionJobsResult : public ServiceResult
{
public:
struct AICaptionExtractionJob
{
std::string status;
std::string videoId;
std::string message;
std::string userData;
std::string creationTime;
std::string templateConfig;
std::string code;
std::string jobId;
std::string aICaptionExtractionResult;
};
GetAICaptionExtractionJobsResult();
explicit GetAICaptionExtractionJobsResult(const std::string &payload);
~GetAICaptionExtractionJobsResult();
std::vector<AICaptionExtractionJob> getAICaptionExtractionJobList()const;
protected:
void parse(const std::string &payload);
private:
std::vector<AICaptionExtractionJob> aICaptionExtractionJobList_;
};
}
}
}
#endif // !ALIBABACLOUD_VOD_MODEL_GETAICAPTIONEXTRACTIONJOBSRESULT_H_ | [
"[email protected]"
] | |
13f25d2541f7fce06b88b719fe35e95cc5fdda59 | 195ba99302638420dd7f15d9ef344768dbfb84ed | /HTMLRepository.cpp | d5a5d61d79363a25b23c313f08392a99ee5f9026 | [] | no_license | gabiborlea/Plant-Clusters-Management | 98303b35e04bc2bf63bb14211504166b0b0f92fe | a6b33a40b09d56b8605de63defe788af6f43e9b0 | refs/heads/master | 2023-01-22T22:08:08.647063 | 2020-11-20T16:13:26 | 2020-11-20T16:13:26 | 314,604,994 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,075 | cpp | #include "HTMLRepository.h"
#include <algorithm>
std::stringstream HTMLRepository::read_file()
{
std::stringstream file_content;
this->file_in.open(this->file_name, std::ofstream::app);
file_content << file_in.rdbuf();
file_in.close();
if (file_content.str().size() == 0)
this->write_file(file_content);
html_to_text(file_content);
std::string file_content_string = file_content.str();
file_content.str(file_content_string);
return file_content;
}
void HTMLRepository::write_file(std::stringstream& file_content)
{
this->file_out.open(this->file_name, std::ofstream::trunc);
text_to_html(file_content);
std::string file_content_string = file_content.str();
file_content.str(file_content_string);
this->file_out << file_content.rdbuf();
file_out.close();
}
void HTMLRepository::html_to_text(std::stringstream& file_content)
{
std::string file_content_string = file_content.str();
file_content_string.erase(std::remove(file_content_string.begin(), file_content_string.end(), '\n'), file_content_string.end());
std::string file_header = "<!DOCTYPE html><html><head><title>Plant Clusters</title></head><body><table border=\"1\"><tr><td>Coded Name</td><td>Species</td><td>Age In Months</td><td>Digitized Scan</td></tr>";
std::string file_bottom = "</table></body></html>";
auto header_position = file_content_string.find(file_header);
if (header_position != std::string::npos)
file_content_string.erase(header_position, file_header.size());
auto bottom_position = file_content_string.find(file_bottom);
if (bottom_position != std::string::npos)
file_content_string.erase(bottom_position, file_bottom.size());
std::string row_start = "<tr>";
auto row_start_position = file_content_string.find(row_start);
while (row_start_position != std::string::npos)
{
file_content_string.erase(row_start_position, row_start.size());
row_start_position = file_content_string.find(row_start);
}
std::string row_end = "</td></tr>";
auto row_end_position = file_content_string.find(row_end);
while (row_end_position != std::string::npos)
{
file_content_string.replace(row_end_position, row_end.size(), "\n");
row_end_position = file_content_string.find(row_end);
}
std::string cell_start = "<td>";
auto cell_start_position = file_content_string.find(cell_start);
while (cell_start_position != std::string::npos)
{
file_content_string.erase(cell_start_position, cell_start.size());
cell_start_position = file_content_string.find(cell_start);
}
std::string cell_end = "</td>";
auto cell_end_position = file_content_string.find(cell_end);
while (cell_end_position != std::string::npos)
{
file_content_string.replace(cell_end_position, cell_end.size(), " ");
cell_end_position = file_content_string.find(cell_end);
}
std::string link_start = "<a href=\"";
auto link_start_position = file_content_string.find(link_start);
while (link_start_position != std::string::npos)
{
file_content_string.erase(link_start_position, link_start.size());
link_start_position = file_content_string.find(link_start);
}
std::string link_end = "\">Link</a>";
auto link_end_position = file_content_string.find(link_end);
while (link_end_position != std::string::npos)
{
file_content_string.erase(link_end_position, link_end.size());
link_end_position = file_content_string.find(link_end);
}
file_content.str(file_content_string);
}
void HTMLRepository::text_to_html(std::stringstream& file_content)
{
std::string file_header = "<!DOCTYPE html><html><head><title>Plant Clusters</title></head><body><table border=\"1\"><tr><td>Coded Name</td><td>Species</td><td>Age In Months</td><td>Digitized Scan</td></tr>";
std::string file_bottom = "</table></body></html>";
std::string file_content_string = file_header;
std::string plant_cluster_string;
while (getline(file_content, plant_cluster_string))
{
auto plant_cluster = PlantCluster(plant_cluster_string);
file_content_string += plant_cluster.get_plant_cluster_as_html_row();
}
file_content_string += file_bottom;
file_content.str(file_content_string);
}
| [
"[email protected]"
] | |
a800449cb03a39b9b58435c91df247343a7c63a7 | 14aa8ec24a7d499b60fdff03bb6b44a0ef3ee494 | /imgedit/histogramprocessor.cpp | ea39b5f5f380b837603ffd7c38e77d3922c495b3 | [] | no_license | romovpa/machgraphics | 7751019afdd2cada8e1133006d851559acd3fb06 | da4b71f398c5832b440a7e4f5a481b9d928e853b | refs/heads/master | 2016-08-03T23:52:11.566290 | 2011-11-19T15:19:52 | 2011-11-19T15:19:52 | 2,410,103 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 3,563 | cpp | #include "histogramprocessor.h"
#include <QtGui>
HistogramProcessor::HistogramProcessor(const QImage &image, QRect rect, QObject *parent) :
ImageProcessor(image, rect, parent)
{
}
void HistogramProcessor::setType(HistogramTransform type)
{
this->type = type;
}
void HistogramProcessor::process()
{
switch (type) {
case RGB_LINEAR_STRETCH:
rgbStretch();
break;
case LUMA_LINEAR_STRETCH:
lumaStretch();
break;
case GREYWORLD_WHITE_BALANCE:
greyworld();
break;
default:
qWarning() << "Invalid histogram transformation: " << type;
}
}
void HistogramProcessor::rgbStretch()
{
double minR = 255, minG = 255, minB = 255;
double maxR = 0, maxG = 0, maxB = 0;
// finding min and max
for (int i = rect.top(); i <= rect.bottom(); ++i) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); ++j) {
QRgb cur = line[j];
double r = qRed(cur), g = qGreen(cur), b = qBlue(cur);
if (r < minR) minR = r;
if (g < minG) minG = g;
if (b < minB) minB = b;
if (r > maxR) maxR = r;
if (g > maxG) maxG = g;
if (b > maxB) maxB = b;
}
}
// fixing zero-interval stretching
if (maxR <= minR) minR = 0, maxR = 255;
if (maxG <= minG) minG = 0, maxG = 255;
if (maxB <= minB) minB = 0, maxB = 255;
// stretching
for (int i = rect.top(); i <= rect.bottom(); i++) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); j++) {
QRgb cur = line[j];
line[j] = qRgb( (int) (qRed(cur)-minR)/(maxR-minR)*255.0+0.5,
(int) (qGreen(cur)-minG)/(maxG-minG)*255.0+0.5,
(int) (qBlue(cur)-minB)/(maxB-minB)*255.0+0.5 );
}
}
}
void HistogramProcessor::lumaStretch()
{
double minY = 255, maxY = 0;
// finding min and max
for (int i = rect.top(); i <= rect.bottom(); ++i) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); ++j) {
QRgb cur = line[j];
double r = qRed(cur), g = qGreen(cur), b = qBlue(cur);
double y = 0.2125*r + 0.7154*g + 0.0721*b;
if (y < minY) minY = y;
if (y > maxY) maxY = y;
}
}
// fixing zero-interval stretching
if (maxY <= minY) minY = 0, maxY = 255;
// stretching
for (int i = rect.top(); i <= rect.bottom(); ++i) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); ++j) {
QRgb cur = line[j];
double r = qRed(cur), g = qGreen(cur), b = qBlue(cur);
double y = 0.2125*r + 0.7154*g + 0.0721*b;
double ynew = (y - minY)/(maxY - minY)*255;
double alpha = ynew/y;
r = r*alpha, g = g*alpha, b = b*alpha;
if (r < 0) r = 0;
if (r > 255) r = 255;
if (g < 0) g = 0;
if (g > 255) g = 255;
if (b < 0) b = 0;
if (b > 255) b = 255;
line[j] = qRgb((int)(r+0.5), (int)(g+0.5), (int)(b+0.5));
}
}
}
void HistogramProcessor::greyworld()
{
double meanR = 0, meanG = 0, meanB = 0;
// computing mean
for (int i = rect.top(); i <= rect.bottom(); ++i) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); ++j) {
meanR += qRed(line[j]);
meanG += qGreen(line[j]);
meanB += qBlue(line[j]);
}
}
int s = rect.width()*rect.height();
meanR /= s, meanG /= s, meanB /= s;
// making changes
double avg = (meanR + meanG + meanB) / 3;
for (int i = rect.top(); i <= rect.bottom(); ++i) {
QRgb *line = (QRgb*)image.scanLine(i);
for (int j = rect.left(); j <= rect.right(); ++j) {
double r = qRed(line[j]), g = qGreen(line[j]), b = qBlue(line[j]);
line[j] = qRgb(double2int(r*avg/meanR), double2int(g*avg/meanG), double2int(b*avg/meanB));
}
}
}
| [
"[email protected]"
] | |
1cbac8e7c8fe5470f1cc71b7a428986fc665299b | c3fb18f3174cf923974dc953bd5b523b473454fb | /runs/VPIC_Test_Decks/lpi/v_02/lpi_np_0000256.template.cxx | f3cc815d464012b2dcbf2c1e8543938e79197afd | [] | no_license | dnystrom1/vpic_project | 1f8d529af1c0066b8f18e72b4bad3414bdac39ed | be59b2665538147149d4e26f2277eb977c6c7340 | refs/heads/master | 2021-07-01T13:46:43.513059 | 2020-09-22T15:10:50 | 2020-09-22T15:10:50 | 93,093,196 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 38,303 | cxx | //============================================================================//
//
// LPI 3D deck - Linearly polarized (in y) plane wave incident from left
// boundary
//
// Adapted from Albright's Lightning 3D LPI deck.
// B. Albright, X-1-PTA; 28 Jan. 2007
// Lin Yin, X-1-PTA, 23 Feb 2009, for Cerrillos test
//
// Executable creates its own directory structure. Remove the old with:
//
// rm -rf rundata ehydro Hhydro Hehydro restart poynting velocity particle
// field
//============================================================================//
// Employ turnstiles to partially serialize the high-volume file writes.
// In this case, the restart dumps. Set NUM_TURNSTILES to be the desired
// number of simultaneous writes.
#define NUM_TURNSTILES REPLACE_num_turnstiles
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_globals
{
double e0; // peak amplitude of oscillating electric field
double omega; // angular freq. of the beam
int fields_interval; // how often to dump field and hydro
int poynting_interval; // how often to compute poynting flux on boundary
int restart_interval; // how often to write restart data
int quota_check_interval; // how often to check if quota exceeded
int energies_interval; // how often to dump energy history data
int ehydro_interval;
int Hhydro_interval;
int eparticle_interval;
int Hparticle_interval;
double quota_sec; // run quota in sec
int rtoggle; // enable save of last 2 restart files for safety
int load_particles; // were particles loaded?
double topology_x; // domain topology needed to normalize Poynting diagnostic
double topology_y;
double topology_z;
int mobile_ions;
int H_present;
int He_present;
// Parameters for 3d Gaussian wave launch
double lambda;
double waist; // how wide the focused beam is
double width;
double zcenter; // center of beam at boundary in z
double ycenter; // center of beam at boundary in y
double xfocus; // how far from boundary to focus
double mask; // # gaussian widths from beam center where I is nonzero
// Ponyting diagnostic flags - which output to turn on
// write_backscatter_only flag: when this flag is nonzero, it means to only compute
// poynting data for the lower-x surface. This flag affects both the summed poynting
// data as well as the surface data.
int write_poynting_data; // Whether to write poynting data to file (or just stdout)
int write_backscatter_only; // nonzero means we only write backscatter diagnostic for fields
// write_poynting_sum is nonzero if you wish to write a file containing the integrated
// poynting data on one or more surfaces. If write_backscatter_only is nonzero, then
// the output file will be a time series of double precision numbers containing the
// integrated poynting flux at that point in time. If write_backscatter_only is zero,
// then for each time step, six double precision numbers are written, containing the
// poynting flux through the lower x, upper x, lower y, upper y, lower z, and upper z
// surfaces.
int write_poynting_sum; // nonzero if we wish to write integrated Poynting data
// write_poynting_faces is probably useless, but I put it here anyway in case it's not.
// When this flag is nonzero, it will print out the poynting flux at each of a 2D array
// of points on the surface. When this flag is turned on and write_backscatter_only is
// nonzero, then only the 2D array of points on the lower-x boundary surface are written
// for each time step. When this flag is turned on and write_bacscatter_only is
// zero, then it will write 2D array data for the lower x, upper x, lower y, upper y,
// lower z, upper z surfaces for each time step.
int write_poynting_faces; // nonzero if we wish to write Poynting data on sim boundaries
// write_eb_faces is nonzero when we wish to get the raw e and b data at the boundary
// (e.g., to be used with a filter to distinguish between SRS and SBS backscatter).
// When this flag is on and write_backscatter_only is nonzero, then only the 2D array
// of points on the lower-x boundary surface are written for each time step. When
// this flag is turned on and write_backscatteR_only is zero, then it will write 2D
// array data for the lower x, upper x, lower y, upper y, lower z, upper z surfaces for
// each time step. When turned on, four files are produced: e1, e2, cb1, cb2. The
// values of the quantities printed depend on the face one is considering: for the
// x faces, e1 = ey, e2 = ez, cb1 = cby, cb2 = cbz. Similarly for y and z surfaces,
// but where 1 and 2 stand for (z,x) and (x,y) coordinates, respectively.
int write_eb_faces; // nonzero if we wish to write E and B data on sim boundaries
// Needed for movie files
float vthe; // vthe/c
float vthi_He; // vthi_He/c
float vthi_H; // vthi_H/c
int velocity_interval; // how frequently to dump binned velocity space data
// Dump parameters for standard VPIC output formats
DumpParameters fdParams;
DumpParameters hedParams;
DumpParameters hHdParams;
DumpParameters hHedParams;
std::vector<DumpParameters *> outputParams;
// Vadim: modified restart machinery
int write_restart; // global flag for all to write restart files
int write_end_restart; // global flag for all to write restart files
};
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_initialization
{
// System of units
double ec = 4.8032e-10; // stat coulomb
double c_vac = 2.99792458e10; // cm/sec
double m_e = 9.1094e-28; // g
double k_b = 1.6022e-12; // erg/eV
double mec2 = m_e*c_vac*c_vac/k_b;
double mpc2 = mec2*1836.0;
double cfl_req = 0.98; // How close to Courant should we try to run
double damp = 0; // How much radiation damping
double iv_thick = 2; // Thickness of impermeable vacuum (in cells)
// Experimental parameters
double t_e = 2600; // electron temperature, eV
double t_i = 1300; // ion temperature, eV
double n_e_over_n_crit = 0.1415; // n_e/n_crit
double vacuum_wavelength = 527 * 1e-7; // third micron light (cm)
double laser_intensity = 6.0e15 * 1e7; // in ergs/cm^2 (note: 1 W = 1e7 ergs)
// Simulation parameters
double Lx = 17 * 0.02 * 12.0 * 1e-4 / 2 * REPLACE_scale_Lx; // In cm (note: 1 micron = 1e-4 cm)
double Ly = 3 * 0.02 * 12.0 * 1e-4 / 2 * REPLACE_scale_Ly;
double Lz = 3 * 0.02 * 12.0 * 1e-4 / 2 * REPLACE_scale_Lz;
double nx = 16*17*REPLACE_scale_nx;
double ny = 16* 3*REPLACE_scale_ny;
double nz = 16* 3*REPLACE_scale_nz;
double topology_x = 1*16*REPLACE_scale_topology_x;
double topology_y = 1*4*REPLACE_scale_topology_y;
double topology_z = 1*4*REPLACE_scale_topology_z;
// single-processor mesh = 544 x 96 x 96
double nppc = REPLACE_nppc; // Average number macro particles per cell per species
int load_particles = 1; // Flag to turn on/off particle load
int mobile_ions = REPLACE_mobile_ions; // Whether or not to push ions
double f_He = 0; // Ratio of number density of He to total ion density
double f_H = 1-f_He; // Ratio of number density of H to total ion density
int H_present = ( (f_H !=0) ? 1 : 0 );
int He_present = ( (f_He!=0) ? 1 : 0 );
// Precompute some useful variables.
double A_H = 1;
double A_He = 4;
double Z_H = 1;
double Z_He = 2;
double mic2_H = mpc2*A_H;
double mic2_He = mpc2*A_He;
double mime_H = mic2_H /mec2;
double mime_He = mic2_He/mec2;
double uthe = sqrt(t_e/mec2); // vthe/c
double uthi_H = sqrt(t_i/mic2_H); // vthi/c for H
double uthi_He = sqrt(t_i/mic2_He); // vthi/c for He
// Plasma skin depth in cm
double delta = (vacuum_wavelength / (2*M_PI) ) / sqrt( n_e_over_n_crit );
double n_e = c_vac*c_vac*m_e/(4*M_PI*ec*ec*delta*delta); // electron density in cm^-3
double debye = uthe*delta; // electron Debye length (cm)
double omega = sqrt( 1/n_e_over_n_crit ); // laser beam freq. in wpe
// Peak instantaneous E field in "natural units"
double e0 = sqrt( 2*laser_intensity / (m_e*c_vac*c_vac*c_vac*n_e) );
// Set up local mesh resolution and time step
Lx /= delta; // Convert box size to skin depths
Ly /= delta;
Lz /= delta;
double hx = Lx/nx;
double hy = Ly/ny;
double hz = Lz/nz;
double cell_size_x = hx*delta/debye; // Cell size in Debye lengths
double cell_size_y = hy*delta/debye;
double cell_size_z = hz*delta/debye;
double f_number = 6; // f/# of beam
double lambda = vacuum_wavelength/delta; // vacuum wavelength in c/wpe
double waist = f_number*lambda; // width of beam at focus in c/wpe
double xfocus = Lx/2; // in c/wpe
double ycenter = 0; // center of spot in y on lhs boundary
double zcenter = 0; // center of spot in z on lhs boundary
double mask = 1.5; // set drive I=0 outside r>mask*width at lhs boundary
double width = waist*sqrt( 1 + (lambda*xfocus/(M_PI*waist*waist))*(lambda*xfocus/(M_PI*waist*waist)));
e0 = e0*(waist/width); // at entrance (3D Gaussian)
double dt = cfl_req*courant_length(Lx,Ly,Lz,nx,ny,nz); // in 1/wpe; n.b. c=1 in nat. units
double nsteps_cycle = trunc_granular(2*M_PI/(dt*omega),1)+1;
dt = 2*M_PI/omega/nsteps_cycle; // nsteps_cycle time steps in one laser cycle
double t_stop = REPLACE_nstep*dt + 0.001*dt; // Runtime in 1/wpe
int energies_interval = REPLACE_energies_interval;
int ehydro_interval = REPLACE_field_interval;
int Hhydro_interval = REPLACE_field_interval;
int eparticle_interval = REPLACE_particle_interval;
int Hparticle_interval = REPLACE_particle_interval;
int poynting_interval = 0; // Num. steps between dumping poynting flux
int fields_interval = REPLACE_field_interval; // Num. steps between saving field data
int velocity_interval = int(100.0/dt); // How frequently to dump velocity space data
int restart_interval = REPLACE_nrestart; // Num. steps between restart dumps
int quota_check_interval = 20;
// Ben: This quota thing gracefully terminates after writing a final restart after
// 11.5 hours; if you want a longer time before shutdown, set this value larger. If
// you want the code to just run all weekend, then set it to very long (2400.*3500, e.g.)
double quota_sec = 11.6*3600; // Run quota in sec.
// Turn on integrated backscatter poynting diagnostic - right now there is a bug in this, so we
// only write the integrated backscatter time history on the left face.
int write_poynting_data = 1; // Whether to write poynting data to file (or just stdout)
int write_backscatter_only = 0; // Nonzero means only write lower x face
int write_poynting_sum = 0; // Whether to write integrated Poynting data
int write_poynting_faces = 0; // Whether to write poynting data on sim boundary faces
int write_eb_faces = 0; // Whether to write e and b field data on sim boundary faces
double N_e = nppc*nx*ny*nz; // Number of macro electrons in box
double Np_e = Lx*Ly*Lz; // "Number" of "physical" electrons in box (nat. units)
double q_e = -Np_e/N_e; // Charge per macro electron
double N_i = N_e; // Number of macro ions of each species in box
double Np_i = Np_e/(Z_H*f_H+Z_He*f_He); // "Number" of "physical" ions of each sp. in box
double qi_H = Z_H *f_H *Np_i/N_i; // Charge per H macro ion
double qi_He = Z_He*f_He*Np_i/N_i; // Charge per He macro ion
// Print simulation parameters
sim_log("***** Simulation parameters *****");
sim_log("* Processors: "<<nproc());
sim_log("* Topology: "<<topology_x<<" "<<topology_y<<" "<<topology_z);
sim_log("* nsteps_cycle = "<<nsteps_cycle);
sim_log("* Time step, max time, nsteps: "<<dt<<" "<<t_stop<<" "<<int(t_stop/(dt)));
sim_log("* Debye length, XYZ cell sizes: "<<debye<<" "<<cell_size_x<<" "<<cell_size_y<<" "<<cell_size_z);
sim_log("* Real cell sizes (in Debyes): "<<hx/uthe<<" "<<hy/uthe<<" "<<hz/uthe);
sim_log("* Lx, Ly, Lz = "<<Lx<<" "<<Ly<<" "<<Lz);
sim_log("* nx, ny, nz = "<<nx<<" "<<ny<<" "<<nz);
sim_log("* Charge/macro electron = "<<q_e);
sim_log("* Average particles/processor: "<<N_e/nproc());
sim_log("* Average particles/cell: "<<nppc);
sim_log("* Total # of particles = "<< 2*N_e );
sim_log("* Omega_0, Omega_pe: "<<omega<<" "<<1);
sim_log("* Plasma density, ne/nc: "<<n_e<<" "<<n_e_over_n_crit);
sim_log("* Vac wavelength (nm): "<<vacuum_wavelength*1e7);
sim_log("* I_laser (W/cm^2): "<<laser_intensity/1e7);
sim_log("* T_e, T_i (eV) "<<t_e<<" "<<t_i);
sim_log("* m_e, m_H, m_He "<<"1 "<<mime_H<<" "<<mime_He);
sim_log("* Radiation damping: "<<damp);
sim_log("* Fraction of courant limit: "<<cfl_req);
sim_log("* vthe/c: "<<uthe);
sim_log("* vthi_H /c: "<<uthi_H);
sim_log("* vthe_He/c: "<<uthi_He);
sim_log("* emax at entrance: "<<e0);
sim_log("* emax at waist: "<<e0/(waist/width));
sim_log("* Poynting interval: "<<poynting_interval);
sim_log("* fields interval: "<<fields_interval);
sim_log("* restart interval: "<<restart_interval);
sim_log("* velocity interval "<<velocity_interval);
sim_log("* quota check interval: "<<quota_check_interval);
sim_log("* num vacuum edge grids: "<<iv_thick);
sim_log("* width, waist, xfocus: "<<width<<" "<<waist<<" "<<xfocus);
sim_log("* ycenter, zcenter, mask: "<<ycenter<<" "<<zcenter<<" "<<mask);
sim_log("* write_poynting_sum: "<<(write_poynting_sum ? "Yes" : "No"));
sim_log("* write_poynting_faces: "<<(write_poynting_faces? "Yes" : "No"));
sim_log("* write_eb_faces: "<<(write_eb_faces ? "Yes" : "No"));
sim_log("* write_backscatter_only: "<<(write_backscatter_only ? "Yes" : "No"));
sim_log("*********************************");
// Set up high level simulation parameters
sim_log("Setting up high-level simulation parameters.");
num_step = int(t_stop/(dt));
status_interval = REPLACE_status_interval;
sync_shared_interval = REPLACE_sync_shared_interval;
clean_div_e_interval = REPLACE_clean_div_e_interval;
clean_div_b_interval = REPLACE_clean_div_b_interval;
// Turn off some of the spam
verbose = 1;
// For maxwellian reinjection, we need more than the default number of
// passes (3) through the boundary handler
// Note: We have to adjust sort intervals for maximum performance on Cell.
num_comm_round = 16;
global->e0 = e0;
global->omega = omega;
global->fields_interval = fields_interval;
global->poynting_interval = poynting_interval;
global->restart_interval = restart_interval;
global->quota_check_interval = quota_check_interval;
global->energies_interval = energies_interval;
global->ehydro_interval = ehydro_interval;
global->Hhydro_interval = Hhydro_interval;
global->eparticle_interval = eparticle_interval;
global->Hparticle_interval = Hparticle_interval;
global->quota_sec = quota_sec;
global->rtoggle = 0;
global->load_particles = load_particles;
global->mobile_ions = mobile_ions;
global->H_present = H_present;
global->He_present = He_present;
global->topology_x = topology_x;
global->topology_y = topology_y;
global->topology_z = topology_z;
global->xfocus = xfocus;
global->ycenter = ycenter;
global->zcenter = zcenter;
global->mask = mask;
global->waist = waist;
global->width = width;
global->lambda = lambda;
global->write_poynting_data = write_poynting_data;
global->write_poynting_sum = write_poynting_sum;
global->write_poynting_faces = write_poynting_faces;
global->write_eb_faces = write_eb_faces;
global->write_backscatter_only = write_backscatter_only;
global->vthe = uthe;
global->vthi_H = uthi_H;
global->vthi_He = uthi_He;
global->velocity_interval = velocity_interval;
// Set up the species. Allow additional local particles in case of
// non-uniformity.
// Set up grid.
sim_log( "Setting up computational grid." );
grid->dx = hx;
grid->dy = hy;
grid->dz = hz;
grid->dt = dt;
grid->cvac = 1;
grid->eps0 = 1;
sim_log( "Setting up absorbing mesh." );
define_absorbing_grid( 0, -0.5*Ly, -0.5*Lz, // Low corner
Lx, 0.5*Ly, 0.5*Lz, // High corner
nx, ny, nz, // Resolution
topology_x, topology_y, topology_z, // Topology
reflect_particles ); // Default particle BC
sim_log( "Setting up species." );
double max_local_np = 1.3*N_e/nproc();
double max_local_nm = max_local_np/10.0;
species_t * electron = define_species( "electron",
-1,
1,
max_local_np,
max_local_nm,
REPLACE_eon_sort_interval,
REPLACE_eon_sort_method );
// Start with two ion species. We have option to go to Xe and Kr gas fills if
// we need a higher ion/electron macroparticle ratio.
species_t *ion_H, *ion_He;
if ( mobile_ions )
{
if ( H_present )
{
ion_H = define_species( "H",
Z_H,
mime_H,
max_local_np,
max_local_nm,
REPLACE_ion_sort_interval,
REPLACE_ion_sort_method );
}
if ( He_present )
{
ion_He = define_species( "He",
Z_He,
mime_He,
max_local_np,
max_local_nm,
REPLACE_ion_sort_interval,
REPLACE_ion_sort_method );
}
}
// From grid/partition.c: used to determine which domains are on edge
# define RANK_TO_INDEX(rank,ix,iy,iz) BEGIN_PRIMITIVE { \
int _ix, _iy, _iz; \
_ix = (rank); /* ix = ix+gpx*( iy+gpy*iz ) */ \
_iy = _ix/int(global->topology_x); /* iy = iy+gpy*iz */ \
_ix -= _iy*int(global->topology_x); /* ix = ix */ \
_iz = _iy/int(global->topology_y); /* iz = iz */ \
_iy -= _iz*int(global->topology_y); /* iy = iy */ \
(ix) = _ix; \
(iy) = _iy; \
(iz) = _iz; \
} END_PRIMITIVE
sim_log( "Overriding x boundaries to absorb fields." );
int ix, iy, iz; // Domain location in mesh
RANK_TO_INDEX( int(rank()), ix, iy, iz );
// Set up Maxwellian reinjection B.C.
sim_log( "Setting up Maxwellian reinjection boundary condition." );
particle_bc_t * maxwellian_reinjection =
define_particle_bc( maxwellian_reflux( species_list, entropy ) );
set_reflux_temp( maxwellian_reinjection,
electron,
uthe,
uthe );
if ( mobile_ions )
{
if ( H_present )
{
set_reflux_temp( maxwellian_reinjection,
ion_H,
uthi_H,
uthi_H );
}
if ( He_present )
{
set_reflux_temp( maxwellian_reinjection,
ion_He,
uthi_He,
uthi_He );
}
}
// Set up materials
sim_log( "Setting up materials." );
define_material( "vacuum", 1 );
define_field_array( NULL, damp );
// Paint the simulation volume with materials and boundary conditions
# define iv_region ( x< hx*iv_thick || x>Lx -hx*iv_thick \
|| y<-Ly/2+hy*iv_thick || y>Ly/2-hy*iv_thick \
|| z<-Lz/2+hz*iv_thick || z>Lz/2-hz*iv_thick ) // all boundaries are i.v.
set_region_bc( iv_region,
maxwellian_reinjection,
maxwellian_reinjection,
maxwellian_reinjection );
// Load particles.
if ( load_particles )
{
sim_log( "Loading particles." );
// Fast load of particles--don't bother fixing artificial domain correlations
double xmin=grid->x0, xmax=grid->x1;
double ymin=grid->y0, ymax=grid->y1;
double zmin=grid->z0, zmax=grid->z1;
repeat( N_e/(topology_x*topology_y*topology_z) )
{
double x = uniform( rng(0), xmin, xmax );
double y = uniform( rng(0), ymin, ymax );
double z = uniform( rng(0), zmin, zmax );
if ( iv_region ) continue; // Particle fell in iv_region. Don't load.
// third to last arg is "weight," a positive number
inject_particle( electron, x, y, z,
normal( rng(0), 0, uthe),
normal( rng(0), 0, uthe),
normal( rng(0), 0, uthe), -q_e, 0, 0 );
if ( mobile_ions )
{
if ( H_present ) // Inject an H macroion on top of macroelectron
{
inject_particle( ion_H, x, y, z,
normal( rng(0), 0, uthi_H),
normal( rng(0), 0, uthi_H),
normal( rng(0), 0, uthi_H), qi_H, 0, 0 );
}
if ( He_present ) // Inject an H macroion on top of macroelectron
{
inject_particle( ion_He, x, y, z,
normal( rng(0), 0, uthi_He),
normal( rng(0), 0, uthi_He),
normal( rng(0), 0, uthi_He), qi_He, 0, 0 );
}
}
}
}
//--------------------------------------------------------------------------//
// New dump definition
//--------------------------------------------------------------------------//
//--------------------------------------------------------------------------//
// Set data output format
//
// This option allows the user to specify the data format for an output
// dump. Legal settings are 'band' and 'band_interleave'. Band-interleave
// format is the native storage format for data in VPIC. For field data,
// this looks something like:
//
// ex0 ey0 ez0 div_e_err0 cbx0 ... ex1 ey1 ez1 div_e_err1 cbx1 ...
//
// Banded data format stores all data of a particular state variable as a
// contiguous array, and is easier for ParaView to process efficiently.
// Banded data looks like:
//
// ex0 ex1 ex2 ... exN ey0 ey1 ey2 ...
//
//--------------------------------------------------------------------------//
sim_log( "Setting up hydro and field diagnostics." );
global->fdParams.format = REPLACE_field_io_format;
sim_log( "Field output format : REPLACE_field_io_format" );
global->hedParams.format = REPLACE_field_io_format;
sim_log( "Electron hydro output format : REPLACE_field_io_format" );
global->hHdParams.format = REPLACE_field_io_format;
sim_log( "Hydrogen hydro output format : REPLACE_field_io_format" );
global->hHedParams.format = REPLACE_field_io_format;
sim_log( "Helium hydro output format : REPLACE_field_io_format" );
//--------------------------------------------------------------------------//
// Set stride
//
// This option allows data down-sampling at output. Data are down-sampled
// in each dimension by the stride specified for that dimension. For
// example, to down-sample the x-dimension of the field data by a factor
// of 2, i.e., half as many data will be output, select:
//
// global->fdParams.stride_x = 2;
//
// The following 2-D example shows down-sampling of a 7x7 grid (nx = 7,
// ny = 7. With ghost-cell padding the actual extents of the grid are 9x9.
// Setting the strides in x and y to equal 2 results in an output grid of
// nx = 4, ny = 4, with actual extents 6x6.
//
// G G G G G G G G G
// G X X X X X X X G
// G X X X X X X X G G G G G G G
// G X X X X X X X G G X X X X G
// G X X X X X X X G ==> G X X X X G
// G X X X X X X X G G X X X X G
// G X X X X X X X G G X X X X G
// G X X X X X X X G G G G G G G
// G G G G G G G G G
//
// Note that grid extents in each dimension must be evenly divisible by
// the stride for that dimension:
//
// nx = 150;
// global->fdParams.stride_x = 10; // legal -> 150/10 = 15
//
// global->fdParams.stride_x = 8; // illegal!!! -> 150/8 = 18.75
//--------------------------------------------------------------------------//
// Strides for field and hydro arrays. Note that here we have defined them
// the same for fields and all hydro species; if desired, we could use
// different strides for each. Also note that strides must divide evenly
// into the number of cells in a given domain.
// Define strides and test that they evenly divide into grid->nx, ny, nz
int stride_x = 1, stride_y = 1, stride_z = 1;
if ( int( grid->nx )%stride_x )
ERROR( ( "Stride doesn't evenly divide grid->nx." ) );
if ( int( grid->ny )%stride_y )
ERROR( ( "Stride doesn't evenly divide grid->ny." ) );
if ( int( grid->nz )%stride_z )
ERROR( ( "Stride doesn't evenly divide grid->nz." ) );
//--------------------------------------------------------------------------//
// Fields
//--------------------------------------------------------------------------//
// relative path to fields data from global header
sprintf( global->fdParams.baseDir, "fields" );
// base file name for fields output
sprintf( global->fdParams.baseFileName, "fields" );
// set field strides
global->fdParams.stride_x = stride_x;
global->fdParams.stride_y = stride_y;
global->fdParams.stride_z = stride_z;
sim_log( "Fields x-stride " << global->fdParams.stride_x );
sim_log( "Fields y-stride " << global->fdParams.stride_y );
sim_log( "Fields z-stride " << global->fdParams.stride_z );
// add field parameters to list
global->outputParams.push_back( &global->fdParams );
//--------------------------------------------------------------------------//
// Electron hydro
//--------------------------------------------------------------------------//
// relative path to electron species data from global header
sprintf( global->hedParams.baseDir, "hydro" );
// base file name for fields output
sprintf( global->hedParams.baseFileName, "e_hydro" );
// set electron hydro strides
global->hedParams.stride_x = stride_x;
global->hedParams.stride_y = stride_y;
global->hedParams.stride_z = stride_z;
sim_log( "Electron species x-stride " << global->hedParams.stride_x );
sim_log( "Electron species y-stride " << global->hedParams.stride_y );
sim_log( "Electron species z-stride " << global->hedParams.stride_z );
// add electron hydro parameters to list
global->outputParams.push_back( &global->hedParams );
//--------------------------------------------------------------------------//
// Hydrogen hydro
//--------------------------------------------------------------------------//
// relative path to electron species data from global header
sprintf( global->hHdParams.baseDir, "hydro" );
// base file name for fields output
sprintf( global->hHdParams.baseFileName, "H_hydro" );
// set hydrogen hydro strides
global->hHdParams.stride_x = stride_x;
global->hHdParams.stride_y = stride_y;
global->hHdParams.stride_z = stride_z;
sim_log( "Ion species x-stride " << global->hHdParams.stride_x );
sim_log( "Ion species y-stride " << global->hHdParams.stride_y );
sim_log( "Ion species z-stride " << global->hHdParams.stride_z );
// add hydrogen hydro parameters to list
global->outputParams.push_back( &global->hHdParams );
//--------------------------------------------------------------------------//
// Helium hydro
//--------------------------------------------------------------------------//
// relative path to electron species data from global header
sprintf( global->hHedParams.baseDir, "hydro" );
// base file name for fields output
sprintf( global->hHedParams.baseFileName, "He_hydro" );
// set helium hydro strides
global->hHedParams.stride_x = stride_x;
global->hHedParams.stride_y = stride_y;
global->hHedParams.stride_z = stride_z;
sim_log( "Ion species x-stride " << global->hHedParams.stride_x );
sim_log( "Ion species y-stride " << global->hHedParams.stride_y );
sim_log( "Ion species z-stride " << global->hHedParams.stride_z );
// add helium hydro parameters to list
global->outputParams.push_back( &global->hHedParams );
//--------------------------------------------------------------------------//
// Set output fields
//
// It is now possible to select which state-variables are output on a
// per-dump basis. Variables are selected by passing an or-list of
// state-variables by name. For example, to only output the x-component
// of the electric field and the y-component of the magnetic field, the
// user would call output_variables like:
//
// global->fdParams.output_variables( ex | cby );
//
// NOTE: OUTPUT VARIABLES ARE ONLY USED FOR THE BANDED FORMAT. IF THE
// FORMAT IS BAND-INTERLEAVE, ALL VARIABLES ARE OUTPUT AND CALLS TO
// 'output_variables' WILL HAVE NO EFFECT.
//
// ALSO: DEFAULT OUTPUT IS NONE. THIS IS DUE TO THE WAY THAT VPIC
// HANDLES GLOBAL VARIABLES IN THE INPUT DECK AND IS UNAVOIDABLE.
//
// For convenience, the output variable 'all' is defined:
//
// global->fdParams.output_variables( all );
//--------------------------------------------------------------------------//
// CUT AND PASTE AS A STARTING POINT. REMEMBER TO ADD APPROPRIATE GLOBAL
// DUMPPARAMETERS VARIABLE.
//
// output_variables( all );
//
// output_variables( electric | div_e_err | magnetic | div_b_err |
// tca | rhob | current | rhof |
// emat | nmat | fmat | cmat );
//
// output_variables( current_density | charge_density |
// momentum_density | ke_density | stress_tensor );
//--------------------------------------------------------------------------//
//global->fdParams.output_variables( all );
global->fdParams.output_variables( electric | magnetic );
//global->hedParams.output_variables( all );
//global->hedParams.output_variables( current_density | momentum_density );
global->hedParams.output_variables( current_density | charge_density |
momentum_density | ke_density |
stress_tensor );
global->hHdParams.output_variables( current_density | charge_density |
momentum_density | ke_density |
stress_tensor );
global->hHedParams.output_variables( current_density | charge_density |
momentum_density | ke_density |
stress_tensor );
//--------------------------------------------------------------------------//
// Convenience functions for simlog output.
//--------------------------------------------------------------------------//
char varlist[256];
create_field_list( varlist, global->fdParams );
sim_log( "Fields variable list: " << varlist );
create_hydro_list( varlist, global->hedParams );
sim_log( "Electron species variable list: " << varlist );
create_hydro_list( varlist, global->hHdParams );
sim_log( "Ion species variable list: " << varlist );
//--------------------------------------------------------------------------//
// Wrapup initialization.
//--------------------------------------------------------------------------//
sim_log( "***Finished with user-specified initialization ***" );
//--------------------------------------------------------------------------//
// Upon completion of the initialization, the following occurs:
//
// - The synchronization error (tang E, norm B) is computed between domains
// and tang E / norm B are synchronized by averaging where discrepancies
// are encountered.
// - The initial divergence error of the magnetic field is computed and
// one pass of cleaning is done (for good measure)
// - The bound charge density necessary to give the simulation an initially
// clean divergence e is computed.
// - The particle momentum is uncentered from u_0 to u_{-1/2}
// - The user diagnostics are called on the initial state
// - The physics loop is started
//
// The physics loop consists of:
//
// - Advance particles from x_0,u_{-1/2} to x_1,u_{1/2}
// - User particle injection at x_{1-age}, u_{1/2} (use inject_particles)
// - User current injection (adjust field(x,y,z).jfx, jfy, jfz)
// - Advance B from B_0 to B_{1/2}
// - Advance E from E_0 to E_1
// - User field injection to E_1 (adjust field(x,y,z).ex,ey,ez,cbx,cby,cbz)
// - Advance B from B_{1/2} to B_1
// - (periodically) Divergence clean electric field
// - (periodically) Divergence clean magnetic field
// - (periodically) Synchronize shared tang e and norm b
// - Increment the time step
// - Call user diagnostics
// - (periodically) Print a status message
//--------------------------------------------------------------------------//
}
//----------------------------------------------------------------------------//
// Definition of user_diagnostics function.
//----------------------------------------------------------------------------//
begin_diagnostics
{
}
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_field_injection
{
// Inject a light wave from lhs boundary with E aligned along y. Use scalar
// diffraction theory for the Gaussian beam source. (This is approximate).
//
// For quiet startup (i.e., so that we don't propagate a delta-function
// noise pulse at time t=0) we multiply by a constant phase term exp(i phi)
// where:
// phi = k*global->xfocus+atan(h) (3d)
//
// Inject from the left a field of the form ey = e0 sin( omega t )
# define DY ( grid->y0 + (iy-0.5)*grid->dy - global->ycenter )
# define DZ ( grid->z0 + (iz-1 )*grid->dz - global->zcenter )
# define R2 ( DY*DY + DZ*DZ )
# define PHASE ( global->omega*t + h*R2/(global->width*global->width) )
# define MASK ( R2<=pow(global->mask*global->width,2) ? 1 : 0 )
if ( grid->x0 == 0 ) // Node is on left boundary
{
double alpha = grid->cvac*grid->dt/grid->dx;
double emax_coeff = (4/(1+alpha))*global->omega*grid->dt*global->e0;
double prefactor = emax_coeff*sqrt(2/M_PI);
double t = grid->dt*step();
// Compute Rayleigh length in c/wpe
double rl = M_PI*global->waist*global->waist/global->lambda;
double pulse_shape_factor = 1;
float pulse_length = 70; // units of 1/wpe
float sin_t_tau = sin( 0.5 * t * M_PI / pulse_length );
pulse_shape_factor = ( t < pulse_length ? sin_t_tau : 1 );
double h = global->xfocus/rl; // Distance / Rayleigh length
// Loop over all Ey values on left edge of this node
for( int iz = 1; iz <= grid->nz + 1; ++iz )
{
for( int iy = 1; iy <= grid->ny; ++iy )
{
field( 1, iy, iz ).ey += prefactor
* cos(PHASE)
* exp( -R2 / ( global->width*global->width ) )
* MASK * pulse_shape_factor;
}
}
}
}
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_particle_injection
{
// No particle injection for this simulation
}
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_current_injection
{
// No current injection for this simulation
}
//----------------------------------------------------------------------------//
//
//----------------------------------------------------------------------------//
begin_particle_collisions
{
// No particle collisions for this simulation
}
| [
"[email protected]"
] | |
44a8d79b06b6310806c9f798767236320c6c3d74 | cb4dbd8c556242994a63105beebfeae6a6f05e20 | /include/imgproc/xf_remap.hpp | 720d3c1350757c0cff71dfba7142635e16598e18 | [] | no_license | ros-acceleration-ultra96v2/vitis_common | 8b07aac2cb4c64a8d389ede7dd8d22233f26009d | 8805009b8b096e2252e3ea7aa23adb5082160622 | refs/heads/master | 2023-08-10T01:56:21.673998 | 2021-09-14T08:23:47 | 2021-09-14T08:23:47 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 18,384 | hpp | /*
* Copyright 2019 Xilinx, 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.
*/
#ifndef _XF_REMAP_HPP_
#define _XF_REMAP_HPP_
#ifndef __cplusplus
#error C++ is needed to include this header.
#endif
#include "../common/xf_common.hpp"
#include "../common/xf_utility.hpp"
#include "hls_stream.h"
#include <algorithm>
#define XF_RESIZE_INTER_TAB_SIZE 32
#define XF_RESIZE_INTER_BITS 5
namespace xf {
namespace cv {
template <int SRC_T, int DST_T, int PLANES, int MAP_T, int WIN_ROW, int ROWS, int COLS, int NPC, bool USE_URAM>
void xFRemapNNI(xf::cv::Mat<SRC_T, ROWS, COLS, NPC>& src,
xf::cv::Mat<DST_T, ROWS, COLS, NPC>& dst,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& mapx,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& mapy,
uint16_t rows,
uint16_t cols) {
XF_TNAME(DST_T, NPC) buf[WIN_ROW][COLS];
// clang-format off
#pragma HLS ARRAY_PARTITION variable=buf complete dim=1
// clang-format on
XF_TNAME(SRC_T, NPC) s;
int read_pointer_src = 0, read_pointer_map = 0, write_pointer = 0;
ap_uint<64> bufUram[PLANES][WIN_ROW][(COLS + 7) / 8];
// clang-format off
#pragma HLS resource variable=bufUram core=RAM_T2P_URAM latency=2
// clang-format on
//#pragma HLS dependence variable=bufUram inter false
// clang-format off
#pragma HLS ARRAY_PARTITION variable=bufUram complete dim=2
#pragma HLS ARRAY_PARTITION variable=bufUram complete dim=1
// clang-format on
XF_TNAME(SRC_T, NPC) sx8[8];
// clang-format off
#pragma HLS ARRAY_PARTITION variable=sx8 complete dim=1
// clang-format on
XF_TNAME(DST_T, NPC) d;
#ifndef __SYNTHESIS__
assert(rows <= ROWS);
assert(cols <= COLS);
#endif
int ishift = WIN_ROW / 2;
int r[WIN_ROW] = {};
const int row_tripcount = ROWS + WIN_ROW;
loop_height:
for (int i = 0; i < rows + ishift; i++) {
// clang-format off
#pragma HLS LOOP_FLATTEN OFF
#pragma HLS LOOP_TRIPCOUNT min=1 max=row_tripcount
// clang-format on
loop_width:
for (int j = 0; j < cols; j++) {
// clang-format off
#pragma HLS PIPELINE II=1
#pragma HLS dependence variable=buf inter false
#pragma HLS dependence variable=bufUram inter false
#pragma HLS dependence variable=r inter false
#pragma HLS LOOP_TRIPCOUNT min=1 max=COLS
// clang-format on
if (i < rows && j < cols) {
s = src.read(read_pointer_src++);
if (USE_URAM) {
sx8[j % 8] = s;
for (int pl = 0, bit = 0; pl < PLANES; pl++, bit += 8) {
// clang-format off
#pragma HLS UNROLL
// clang-format on
for (int k = 0; k < 8; k++) {
// clang-format off
#pragma HLS UNROLL
// clang-format on
bufUram[pl][i % WIN_ROW][j / 8](k * 8 + 7, k * 8) = sx8[k](bit + 7, bit);
}
}
}
}
if (!USE_URAM) buf[i % WIN_ROW][j] = s;
r[i % WIN_ROW] = i;
if (i >= ishift) {
float mx_fl = mapx.read_float(read_pointer_map);
float my_fl = mapy.read_float(read_pointer_map++);
int x = (int)(mx_fl + 0.5f);
int y = (int)(my_fl + 0.5f);
bool in_range = (y >= 0 && my_fl <= (rows - 1) && r[y % WIN_ROW] == y && x >= 0 && mx_fl <= (cols - 1));
if (in_range)
if (USE_URAM) {
XF_TNAME(DST_T, NPC) dx9[8];
// clang-format off
#pragma HLS ARRAY_PARTITION variable=dx9 complete dim=1
// clang-format on
for (int pl = 0, bit = 0; pl < PLANES; pl++, bit += 8) {
ap_uint<72> tempvalue[PLANES]; //
tempvalue[pl] = bufUram[pl][y % WIN_ROW][x / 8];
for (int k = 0; k < 8; k++) {
dx9[k](bit + 7, bit) = tempvalue[pl].range(k * 8 + 7, k * 8);
}
}
d = dx9[x % 8];
} else
d = buf[y % WIN_ROW][x];
else
d = 0;
dst.write(write_pointer++, d);
}
}
}
}
#define TWO_POW_16 65536
template <int SRC_T, int DST_T, int PLANES, int MAP_T, int WIN_ROW, int ROWS, int COLS, int NPC, bool USE_URAM>
void xFRemapLI(xf::cv::Mat<SRC_T, ROWS, COLS, NPC>& src,
xf::cv::Mat<DST_T, ROWS, COLS, NPC>& dst,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& mapx,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& mapy,
uint16_t rows,
uint16_t cols) {
// Add one to always get zero for boundary interpolation. Maybe need
// initialization here?
XF_TNAME(DST_T, NPC)
buf[WIN_ROW / 2 + 1][2][COLS / 2 + 1][2]; // AK,ZoTech: static added for
// initialization, otherwise X are
// generated in co-sim.
// clang-format off
#pragma HLS array_partition complete variable=buf dim=2
#pragma HLS array_partition complete variable=buf dim=4
// clang-format on
XF_TNAME(SRC_T, NPC) s;
// URAM storage garnularity is 3x3-pel block in 2x2-pixel picture grid, it
// fits to one URAM word
ap_uint<72> bufUram[PLANES][(WIN_ROW + 1) / 2][(COLS + 1) / 2];
// clang-format off
#pragma HLS resource variable=bufUram core=RAM_T2P_URAM latency=2
#pragma HLS array_partition complete variable=bufUram dim=1
// clang-format on
ap_uint<24> lineBuf[PLANES][(COLS + 1) / 2];
// clang-format off
#pragma HLS resource variable=lineBuf core=RAM_S2P_BRAM latency=1
#pragma HLS array_partition complete variable=lineBuf dim=1
// clang-format on
XF_TNAME(MAP_T, NPC) mx;
XF_TNAME(MAP_T, NPC) my;
int read_pointer_src = 0, read_pointer_map = 0, write_pointer = 0;
#ifndef __SYNTHESIS__
assert(rows <= ROWS);
assert(cols <= COLS);
#endif
int ishift = WIN_ROW / 2;
int r1[WIN_ROW] = {};
int r2[WIN_ROW] = {};
const int row_tripcount = ROWS + WIN_ROW;
bool store_col = 1;
bool store_row = 1;
ap_uint<16> temppix[PLANES]; // = 0;
ap_uint<24> pixval[PLANES]; // = 0;
ap_uint<48> pixval_2[PLANES]; // = 0;
ap_uint<24> prev_pixval[PLANES]; // = 0;
ap_uint<72> tempbuf[PLANES];
for (int pl = 0; pl < PLANES; pl++) {
// clang-format off
#pragma HLS UNROLL
// clang-format on
temppix[pl] = 0;
pixval[pl] = 0;
pixval_2[pl] = 0;
prev_pixval[pl] = 0;
tempbuf[pl] = 0;
}
loop_height:
for (int i = 0; i < rows + ishift; i++) {
// clang-format off
#pragma HLS LOOP_FLATTEN OFF
#pragma HLS LOOP_TRIPCOUNT min=1 max=row_tripcount
// clang-format on
// Initialize for every row
store_col = 1;
loop_width:
for (int j = 0; j < cols + 1; j++) {
// clang-format off
#pragma HLS PIPELINE II=1
#pragma HLS dependence variable=buf inter false
#pragma HLS dependence variable=bufUram inter false
#pragma HLS dependence variable=bufUram intra false
#pragma HLS dependence variable=r1 inter false
#pragma HLS dependence variable=r2 inter false
#pragma HLS LOOP_TRIPCOUNT min=1 max=COLS+2
// clang-format on
if (i < rows && j < cols) {
s = src.read(read_pointer_src++);
} else {
s = 0;
}
if (USE_URAM && i < rows) {
for (int pl = 0, bit = 0; pl < PLANES; pl++, bit += 8) {
// clang-format off
#pragma HLS UNROLL
// clang-format on
if (store_col && (j != 0)) {
pixval[pl].range(15, 0) = temppix[pl];
pixval[pl].range(23, 16) = s.range(bit + 7, bit);
if (store_row) {
// Store every 3rd row in a buffer
lineBuf[pl][(j / 2) - 1] = pixval[pl];
} else {
// Read the stored row and fill in
prev_pixval[pl] = lineBuf[pl][(j / 2) - 1];
}
if (i != 0) {
if (store_row) {
bufUram[pl][((i - 1) / 2) % (WIN_ROW / 2)][(j / 2) - 1].range(71, 48) = pixval[pl];
} else {
pixval_2[pl].range(23, 0) = prev_pixval[pl];
pixval_2[pl].range(47, 24) = pixval[pl];
bufUram[pl][((i - 1) / 2) % (WIN_ROW / 2)][(j / 2) - 1].range(47, 0) = pixval_2[pl];
}
}
}
if (store_col) {
temppix[pl].range(7, 0) = s.range(bit + 7, bit);
} else {
temppix[pl].range(15, 8) = s.range(bit + 7, bit);
}
}
store_col = !(store_col);
}
if (!USE_URAM) {
if ((i % WIN_ROW) % 2) {
buf[(i % WIN_ROW) / 2][(i % WIN_ROW) % 2][j / 2][j % 2] = s; //.range(bit+7,bit);
} else {
buf[(i % WIN_ROW) / 2][(i % WIN_ROW) % 2][j / 2][j % 2] = s; //.range(bit+7,bit);
}
}
r1[i % WIN_ROW] = i;
r2[i % WIN_ROW] = i;
if (i >= ishift && j < cols) {
float x_fl = mapx.read_float(read_pointer_map);
float y_fl = mapy.read_float(read_pointer_map++);
int x_fix = (int)((float)x_fl * (float)XF_RESIZE_INTER_TAB_SIZE); // mapx data in
// A16.XF_RESIZE_INTER_TAB_SIZE
// format
int y_fix = (int)((float)y_fl * (float)XF_RESIZE_INTER_TAB_SIZE); // mapy data in
// A16.XF_RESIZE_INTER_TAB_SIZE
// format
int x = x_fix >> XF_RESIZE_INTER_BITS;
int y = y_fix >> XF_RESIZE_INTER_BITS;
int x_frac = x_fix & (XF_RESIZE_INTER_TAB_SIZE - 1);
int y_frac = y_fix & (XF_RESIZE_INTER_TAB_SIZE - 1);
int ynext = y + 1;
ap_ufixed<XF_RESIZE_INTER_BITS, 0> iu, iv;
iu(XF_RESIZE_INTER_BITS - 1, 0) = x_frac;
iv(XF_RESIZE_INTER_BITS - 1, 0) = y_frac;
// Note that the range here is larger than expected by 1 horizontal and
// 1 vertical pixel, to allow
// Interpolating at the edge of the image
bool in_range = (y >= 0 && y_fl <= (rows - 1) && r1[y % WIN_ROW] == y && r2[ynext % WIN_ROW] == ynext &&
x >= 0 && x_fl <= (cols - 1));
int xa0, xa1, ya0, ya1;
// The buffer is essentially cyclic partitioned, but we have
// to do this manually because HLS can't figure it out.
// The code below is wierd, but it is this code expanded.
// if ((y % WIN_ROW) % 2) {
// // Case 1, where y hits in bank 1 and ynext in bank 0
// ya0 = (ynext%WIN_ROW)/2;
// ya1 = (y%WIN_ROW)/2;
// } else {
// // The simpler case, where y hits in bank 0 and ynext
// hits in bank 1
// ya0 = (y%WIN_ROW)/2;
// ya1 = (ynext%WIN_ROW)/2;
// }
// Both cases reduce to this, if WIN_ROW is a multiple of two.
#ifndef __SYNTHESIS__
assert(((WIN_ROW & 1) == 0) && "WIN_ROW must be a multiple of two");
#endif
xa0 = x / 2 + x % 2;
xa1 = x / 2;
ya0 = (y / 2 + y % 2) % (WIN_ROW / 2);
ya1 = (y / 2) % (WIN_ROW / 2);
XF_TNAME(DST_T, NPC) d;
for (int ch = 0; ch < PLANES; ch++) {
XF_CTUNAME(DST_T, NPC) d00, d01, d10, d11;
if (in_range) {
if (USE_URAM) {
XF_TNAME(DST_T, NPC) d3x3[9];
// clang-format off
#pragma HLS ARRAY_PARTITION variable=d3x3 complete
// clang-format on
tempbuf[ch] = bufUram[ch][ya1][xa1];
for (int k = 0; k < 9; k++) {
d3x3[k] = tempbuf[ch].range(k * 8 + 7, k * 8);
}
d00 = d3x3[(y % 2) * 3 + x % 2];
d01 = d3x3[(y % 2) * 3 + x % 2 + 1];
d10 = d3x3[(y % 2 + 1) * 3 + x % 2];
d11 = d3x3[(y % 2 + 1) * 3 + x % 2 + 1];
} else {
d00 = buf[ya0][0][xa0][0].range((ch + 1) * 8 - 1, ch * 8);
d01 = buf[ya0][0][xa1][1].range((ch + 1) * 8 - 1, ch * 8);
d10 = buf[ya1][1][xa0][0].range((ch + 1) * 8 - 1, ch * 8);
d11 = buf[ya1][1][xa1][1].range((ch + 1) * 8 - 1, ch * 8);
if (x % 2) {
// std::swap(d00,d01);
int t = d00;
d00 = d01;
d01 = t;
int t2 = d10;
d10 = d11;
d11 = d10;
// std::swap(d10,d11);
}
if (y % 2) {
int t = d00;
d00 = d10;
d10 = t;
int t2 = d01;
d01 = d11;
d11 = d01;
// std::swap(d00,d10);
// std::swap(d01,d11);
}
// if(x == (cols-1))
//{
// d01=0;d11=0;
//}
}
}
ap_ufixed<2 * XF_RESIZE_INTER_BITS + 1, 1> k01 = (1 - iv) * (iu); // iu-iu*iv
ap_ufixed<2 * XF_RESIZE_INTER_BITS + 1, 1> k10 = (iv) * (1 - iu); // iv-iu*iv
ap_ufixed<2 * XF_RESIZE_INTER_BITS + 1, 1> k11 = (iv) * (iu); // iu*iv
ap_ufixed<2 * XF_RESIZE_INTER_BITS + 1, 1> k00 =
1 - iv - k01; //(1-iv)*(1-iu) = 1-iu-iv+iu*iv = 1-iv-k01
#ifndef __SYNTHESIS__
assert(k00 + k01 + k10 + k11 == 1);
#endif
if (in_range)
d.range((ch + 1) * 8 - 1, ch * 8) = d00 * k00 + d01 * k01 + d10 * k10 + d11 * k11;
else
d.range((ch + 1) * 8 - 1, ch * 8) = 0;
}
dst.write(write_pointer++, d);
}
}
store_row = !(store_row);
}
}
template <int WIN_ROWS,
int INTERPOLATION_TYPE,
int SRC_T,
int MAP_T,
int DST_T,
int ROWS,
int COLS,
int NPC,
bool USE_URAM = false>
void remap(xf::cv::Mat<SRC_T, ROWS, COLS, NPC>& _src_mat,
xf::cv::Mat<DST_T, ROWS, COLS, NPC>& _remapped_mat,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& _mapx_mat,
xf::cv::Mat<MAP_T, ROWS, COLS, NPC>& _mapy_mat) {
// clang-format off
#pragma HLS inline off
#pragma HLS dataflow
// clang-format on
#ifndef __SYNTHESIS__
assert((MAP_T == XF_32FC1) && "The MAP_T must be XF_32FC1");
assert(((SRC_T == XF_8UC1) || (SRC_T == XF_8UC3)) && "The SRC_T must be XF_8UC1 or XF_8UC3");
assert(((DST_T == XF_8UC1) || (SRC_T == XF_8UC3)) && "The DST_T must be XF_8UC1 or XF_8UC3");
assert((SRC_T == DST_T) && "Source Mat type and Destination Mat type must be the same");
assert((NPC == XF_NPPC1) && "The NPC must be XF_NPPC1");
#endif
int depth_est = WIN_ROWS * _src_mat.cols;
uint16_t rows = _src_mat.rows;
uint16_t cols = _src_mat.cols;
if (INTERPOLATION_TYPE == XF_INTERPOLATION_NN) {
xFRemapNNI<SRC_T, DST_T, XF_CHANNELS(SRC_T, NPC), MAP_T, WIN_ROWS, ROWS, COLS, NPC, USE_URAM>(
_src_mat, _remapped_mat, _mapx_mat, _mapy_mat, rows, cols);
} else if (INTERPOLATION_TYPE == XF_INTERPOLATION_BILINEAR) {
xFRemapLI<SRC_T, DST_T, XF_CHANNELS(SRC_T, NPC), MAP_T, WIN_ROWS, ROWS, COLS, NPC, USE_URAM>(
_src_mat, _remapped_mat, _mapx_mat, _mapy_mat, rows, cols);
} else {
#ifndef __SYNTHESIS__
assert(((INTERPOLATION_TYPE == XF_INTERPOLATION_NN) || (INTERPOLATION_TYPE == XF_INTERPOLATION_BILINEAR)) &&
"The INTERPOLATION_TYPE must be either XF_INTERPOLATION_NN or "
"XF_INTERPOLATION_BILINEAR");
#endif
}
}
} // namespace cv
} // namespace xf
#endif //_XF_REMAP_HPP_
| [
"[email protected]"
] | |
88a3af827625db72aae0c247793604239b537eb9 | 7140235192ddb4b5a4cefba04750ce8851b72fae | /missile.h | b006f228c43b8e72ec267c7a7f14d12832ce30dc | [
"MIT"
] | permissive | borislav-draganov/Asteroids | 14a212884617d887c52f8efc7820a0df08cd0967 | a9ae79d42369b9c441a8461980df107cc8f2f89c | refs/heads/master | 2020-05-17T01:26:11.847825 | 2014-11-26T15:48:07 | 2014-11-26T15:48:07 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,982 | h | #ifndef MISSILE_H
#define MISSILE_H
#include <QGraphicsScene>
#include <QGraphicsItem>
#include <QSoundEffect>
#include <QPainter>
#include <QStyleOption>
#include <QDebug>
#include <math.h>
class Missile : public QObject, public QGraphicsItem
{
Q_OBJECT
public:
Missile(bool shipMissile, QObject *parent = 0); // Constructor - shipMissile : true if fired form the player's ship, saucerMissile : true if fired from a saucer
QRectF boundingRect() const; // Determine the bounding rectangle of the missile
QPainterPath shape() const; // Determine the shape of the missile
void paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget); // Paint the object
void destoyItem(); // Destroy the missile
bool firedFromShip(); // Return true if fired from ship
int getLength(); // Get the length of the missile
// Enable qgraphicsitem_cast
enum { Type = UserType + 1 };
int type() const
{
// Enable the use of qgraphicsitem_cast with this item.
return Type;
}
protected:
void advance(int step);
~Missile();
private:
int speed; // Speed of the missile - negative value
double cornerCoor; // Top-left coordinate of the missile - (0,0) will be the center
double length; // Length of the missile
bool shipMissile; // Is this missile fired from the ship
QSoundEffect *soundEffect; // The laser sound effect
signals:
void laserSound(); // Tell the main window to play the laser sound effect
};
#endif // MISSILE_H
| [
"[email protected]"
] | |
bcbf859891e05b1b5eb2b5255d037234c6352dc7 | 44c5f3b76988f37394d0c96b624ea286b33b3f20 | /project3-akeminamba/Strategies.hpp | 88c9e0fe8faa81d2c392f72ea17cce80b3024525 | [] | no_license | akeminamba/AutomaticPayment | f26b34612e8f9647291ff11496bd0d5d28b8b81f | 08147e94d9faf35838a307ea717a460a53cb0b01 | refs/heads/main | 2023-02-21T09:08:53.837404 | 2021-01-21T08:23:44 | 2021-01-21T08:23:44 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,598 | hpp | #pragma once
#include <deque>
#include <iostream>
#include <queue>
#include <stack>
#include <string>
#include <cmath>
#include <fstream>
#include <sstream>
#include "Bank.hpp"
#include "Bill.hpp"
template< class Strategy>
struct Strategy_t {
Bank myChecking_;
Strategy allBills_;
double amount_penalties_;
Strategy_t( const std::string & name = "",
double starting = 0.0,
double salary = 0.0 );
void readFile( const std::string & filename );
bool payBills(const unsigned int &, const unsigned int&);
};
// Aliases for popular strategies for convenience
using QueueStrategy = Strategy_t<std::queue<Bill>>;
using StackStrategy = Strategy_t<std::stack<Bill>>;
using std::getline;
using std::ifstream;
using std::stod;
using std::stoul;
using std::string;
using std::stringstream;
/************************************************
** Non-Member helper function definitions
************************************************/
// std::stack and std::queue both provide capability to view or modify the next element to be removed. std::stack calls is top()
// while std::queue calls it front(). This pair of template functions provides a general concept called peek() that delegates to
// the appropriate top() or front() for a given container.
template<typename T>
auto & peek( std::stack<T> & container )
{ return container.top(); }
template<typename T>
auto & peek( std::queue<T> & container )
{ return container.front(); }
/************************************************
** Member function definitions
************************************************/
// This constructor is complete
template<class Strategy>
Strategy_t<Strategy>::Strategy_t( const std::string & name,
double starting,
double salary )
: myChecking_( name, starting, salary ), amount_penalties_( 0.0 )
{}
// This function is incomplete. It needs some lines of code.
template<class Strategy>
bool Strategy_t<Strategy>::payBills(const unsigned int & currMonth,
const unsigned int & currDay) {
//pay the bills starting from top/front as long as there is
//enough money in the checking account
//returns true if all bills are paid, false otherwise
Bill someBill;
while( allBills_.size() > 0 ) {
someBill = peek( allBills_ );
double fee = 0.0;
if( someBill.isOverdue( currMonth, currDay ) ) {
// COMPLETE BELOW:
// COMPUTE THE TOTAL PENALTY IN VARIABLE <fee> AS
// 35 + round(0.1 * days overdue * amount due) / 100
fee = 35 + round(0.1*someBill.daysOverdue(currMonth,currDay)*someBill.amount_due_)/100;
}
if( someBill.amount_due_ + fee <= myChecking_.amount_left_ ) {
myChecking_.amount_left_ -= someBill.amount_due_ + fee;
allBills_.pop();
amount_penalties_ += fee;
}
else
break;
}
return (allBills_.size() == 0);
}
// This function is incomplete. You need to write few lines of code.
template<class Strategy>
void Strategy_t<Strategy>::readFile( const std::string & filename )
{
ifstream inFile( filename );
Bill newBill;
string line;
// Read each line
while( getline( inFile, line ) )
{
// Break each line up into 'cells'
stringstream lineStream( line );
string cell;
while( getline( lineStream, cell, ',' ) ) {
if( cell == "bill" ) {
// read the data for the new bill
getline( lineStream, newBill.payee_, ',' );
getline( lineStream, cell, ',' );
newBill.amount_due_ = stod( cell );
getline( lineStream, cell, '/' );
newBill.due_month_ = stoul( cell );
getline( lineStream, cell, '\n' );
newBill.due_day_ = stoul( cell );
// COMPLETE BELOW:
// ADD <newBill> TO THE STACK/QUEUE OF <allBills_>
allBills_.push(newBill);
}
else if( cell == "paycheck" ) {
getline( lineStream, cell, '\n' );
myChecking_.amount_left_ += stod( cell );
}
else if( cell == "pay" ) {
// retrieve the date, month and day, of the pay
getline( lineStream, cell, '/' );
unsigned int currMonth = stoul( cell );
getline( lineStream, cell, '\n' );
unsigned int currDay = stoul( cell );
// COMPLETE BELOW:
// CALL THE FUNCTION MEMBER TO PAY AS MANY BILLS AS POSSIBLE
payBills(currMonth,currDay);
}
}
}
inFile.close();
}
| [
"[email protected]"
] | |
599baf5722ba6572293e1f6dd88b136789dd94a4 | c1e85066b18f7b43be048cef876ee19559a75909 | /set.cpp | 84aaa1c375e3148a643b98bb603013541c39883a | [] | no_license | lwg2018/STL_Examples | 4e8348a4d751b6e4acd98eb0224f0e4fbb993084 | 143303882818850f670052289fb48b641f3d5cee | refs/heads/master | 2020-03-29T06:06:45.979263 | 2018-09-20T13:01:55 | 2018-09-20T13:01:55 | 149,609,975 | 0 | 0 | null | null | null | null | UHC | C++ | false | false | 1,189 | cpp | #include <iostream>
#include <string>
#include <set>
using namespace std;
int main(){
set<int> test;
test.insert(5);
test.insert(7);
test.insert(10);
test.insert(2);
test.insert(3);
set<int>::iterator it;
for(it=test.begin();it!=test.end();it++){
printf("%d ",*it);
}
printf("\n%d ",test.size());
// test.empty(); test.clear(); 가능
puts("");
test.erase(5);
if(test.count(10))printf("10이 존재합니다.\n"); // 있으면 참,없으면 거짓 (test.find(10) != test.end();)
for(it=test.begin();it!=test.end();it++){
printf("%d ",*it);
}
}
// deque처럼 연속적으로 저장되어있다는것이 보장 불가능하다.
// tree형으로 구성되어있어 탐색, 저장이 빠르며 오름차순으로 정렬되어 입력된다
// 값의 중복을 허용하지 않는다.
// for( auto current : test)
///////// multiset<int> test /////////
//multiset<int> test;
// set에 정의되어있는 멀티셋은 값의 중복을 허용한다.
// erase(4)로 지울경우 모든 4값이 지워진다
// erase(find(4))로 지울경우 주소값 한개만 넘겨주기때문에 한개만 지워진다.
// count(4)는 4값이 몇개있는지 리턴한다
| [
"[email protected]"
] | |
8f1d4e7090ecef947bbae2bf46c8360588c14dab | af4dc9ed3b25178664d9cb97b9b41039d4ee4e35 | /RSCH_ClothSym/branches/Intel/third_party/NuttapongSymC/WildMagic4/LibFoundation/Surfaces/Wm4Surface.cpp | 0150bc9cd354c171009633a974deb2de6a302bdf | [] | no_license | njoubert/UndergraduateProjects | 19dc0ba98a130e040d2594374a935954258f83ea | 7e6db9c4318a042c59c363cd4a331bbfcb908988 | refs/heads/master | 2021-01-10T06:25:49.985493 | 2015-12-31T22:57:17 | 2015-12-31T22:57:17 | 48,846,399 | 3 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,406 | cpp | // Wild Magic Source Code
// David Eberly
// http://www.geometrictools.com
// Copyright (c) 1998-2007
//
// This library is free software; you can redistribute it and/or modify it
// under the terms of the GNU Lesser General Public License as published by
// the Free Software Foundation; either version 2.1 of the License, or (at
// your option) any later version. The license is available for reading at
// either of the locations:
// http://www.gnu.org/copyleft/lgpl.html
// http://www.geometrictools.com/License/WildMagicLicense.pdf
//
// Version: 4.0.0 (2006/06/28)
#include "Wm4FoundationPCH.h"
#include "Wm4Surface.h"
namespace Wm4
{
//----------------------------------------------------------------------------
template <class Real>
Surface<Real>::Surface ()
{
}
//----------------------------------------------------------------------------
template <class Real>
Surface<Real>::~Surface ()
{
}
//----------------------------------------------------------------------------
//----------------------------------------------------------------------------
// explicit instantiation
//----------------------------------------------------------------------------
template WM4_FOUNDATION_ITEM
class Surface<float>;
template WM4_FOUNDATION_ITEM
class Surface<double>;
//----------------------------------------------------------------------------
}
| [
"sburke@997b1fe7-5dcb-cc6a-e049-b7da040a1fbe"
] | sburke@997b1fe7-5dcb-cc6a-e049-b7da040a1fbe |
c6e7042e51c8aa79e92cb06a8d402e1b7eb36de3 | 6b2acad97d2461a1e9260cb370f12e670473e415 | /tool/Arduino/Arduino Pro Micro/07_timerOneLibrary/07_timerOneLibrary.ino | 75baecf5c45e27670750d26b1f82f80c163cd325 | [] | no_license | Liemani/_deprecated_portfolio | 342c0d4e51176168cdbc80bf15478f125b15b120 | a0f91b76c7cc0072230d167d64b87da57246c135 | refs/heads/main | 2023-02-24T10:27:42.218565 | 2021-01-28T12:04:24 | 2021-01-28T12:04:24 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 689 | ino | #include <TimerOne.h>
const int MOTOR_FL = 6;
const int MOTOR_FR = 10;
const int MOTOR_BL = 5;
const int MOTOR_BR = 9;
const int MOTOR_ARRAY[4] = {MOTOR_FL, MOTOR_FR, MOTOR_BL, MOTOR_BR};
const int melody[] = {262, 294, 330, 349, 392, 440, 494, 523};
void setup() {
Timer1.initialize();
Timer1.setPeriod(1000000 / 262);
for (int i = 0; i < 4; ++i) {
Timer1.pwm(MOTOR_ARRAY[i], 7); // volume, if too big, motor run
}
for (int i = 0; i < 7; ++i) {
Timer1.setPeriod(1000000 / melody[i]);
delay(500);
}
for (int i = 7; i >= 0; --i) {
Timer1.setPeriod(1000000 / melody[i]);
delay(500);
}
}
void loop() {
}
| [
"[email protected]"
] | |
349453b750f4463b653486dc73e48292ca41395a | 57381789cc6e5b05d038f68b83ab85bb7ce3bb81 | /functions/sectors/cfgFunctions.hpp | cfa5e34a2664f3777cf0643ea7b02fb0f131679d | [] | no_license | gruppe-adler/TvT_HoldTheLine.Tembelan | eb52c47e9d1e8c0a74d7b093aa3a6dcee431e3e4 | 95ddccc9bc8b7936761be2e93952bc570cd8e597 | refs/heads/master | 2020-05-17T10:39:03.555877 | 2019-09-02T17:10:45 | 2019-09-02T17:10:45 | 183,663,325 | 2 | 0 | null | 2019-08-31T16:06:02 | 2019-04-26T16:43:22 | SQF | UTF-8 | C++ | false | false | 399 | hpp | class grad_sectors {
class sectors {
class blockSector {};
class createMarker {};
class createSector {};
class createTasks {};
class evaluateSector {};
class initTrigger {};
class notifyTakingControl {};
class startPFH {};
class taskSetDescription {};
class updateMarker {};
class updateTasks {};
};
};
| [
"[email protected]"
] | |
674ee2301c548cd9bf2d446368086a5d81f6a534 | ada82378f2942b0c826178ac5384d5e9f1a054e8 | /src/Bitslicer.cpp | 1a9ee54adb740b54008ad5f95dfb205ed03111da | [] | no_license | jonasstein/mdat | 16f112a44543d2e489fc4cebe56106f272ead178 | 47b748096dcf82ef62f3e37ca72cc0f30e9db7b9 | refs/heads/master | 2022-06-02T17:32:22.164698 | 2022-05-19T07:41:11 | 2022-05-19T07:41:11 | 187,505,136 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,088 | cpp | #include "Bitslicer.h"
#include <cmath>
#include <cstdint> // int8_t
namespace bitslicer {
uint16_t byteswap(uint16_t word) {
return (((word & 0xff) << 8) | ((word & 0xff00) >> 8));
}
uint64_t byteswap64(uint64_t value) {
uint64_t partA = value & 0xffff000000000000;
uint64_t partB = value & 0x0000ffff00000000;
uint64_t partC = value & 0x00000000ffff0000;
uint64_t partD = value & 0x000000000000ffff;
return ((partA >> 48) + (partB >> 16) + (partC << 16) + (partD << 48));
}
uint64_t LowMidHigh(uint16_t LowWord, uint16_t MidWord, uint16_t HighWord) {
uint64_t High64 = static_cast<uint64_t>(HighWord);
High64 = High64 << 32;
uint64_t Mid64 = static_cast<uint64_t>(MidWord);
Mid64 = Mid64 << 16;
uint64_t Low64 = static_cast<uint64_t>(LowWord);
return (High64 + Mid64 + Low64);
}
uint64_t getintbybitpattern(uint64_t pattern, uint64_t cutpattern) {
uint8_t firstbitset{0};
firstbitset = log2(cutpattern & ~(cutpattern - 1));
return ((pattern & cutpattern) >> firstbitset);
}
} // namespace bitslicer
| [
"[email protected]"
] | |
c29530c79042864da6082e9bb17f13e90901329b | 7f11ab58a6773a26d132569818a4a2766a7324e7 | /hello.cpp | e38a8177e02c908d0b6a567b277b96c13f282218 | [] | no_license | chickenday/MyFirstProject | 75fbbb53fb13bd33c8546fc7e40717c871f926f5 | 98fff77d266b9a67d1c04ac450a1dd2ddb4afce3 | refs/heads/master | 2023-07-18T19:17:38.139860 | 2021-09-06T09:03:21 | 2021-09-06T09:03:21 | 403,537,683 | 0 | 0 | null | 2021-09-06T08:37:27 | 2021-09-06T08:07:40 | C++ | UTF-8 | C++ | false | false | 80 | cpp | #include<iostream>
using namespace std;
int main(){
cout<<"hello world!"
} | [
"[email protected]"
] | |
c8787d7f79937e391f3f24caaff69126b77313fb | 1a03efb7a8b03c4014b1dd4e5154dd26fc7586a1 | /builtins/printworkingdirectory.h | e720260dce0d9457cd7b2d8ed02dd53d02ea0b11 | [] | no_license | eugene195/DASH | 4aa71a693bfa7c2e2c4d0040258c3ea2c8966794 | 0b8f745df040d3591c495834ec9dc71a042a1151 | refs/heads/master | 2020-07-07T23:51:10.259853 | 2016-08-28T19:20:39 | 2016-08-28T19:20:39 | 66,610,981 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 251 | h | #ifndef PRINTWORKINGDIRECTORY_H
#define PRINTWORKINGDIRECTORY_H
#include "abstractbuiltin.h"
class PrintWorkingDirectory : public AbstractBuiltin
{
public:
void execute(const vector<string> &options) const;
};
#endif // PRINTWORKINGDIRECTORY_H
| [
"[email protected]"
] | |
259a6c95c7a893568eeaf005e96588cefe0b980c | 24bc4990e9d0bef6a42a6f86dc783785b10dbd42 | /third_party/blink/common/interest_group/auction_config_mojom_traits.cc | 9d598b715adeee709910c38a62ef4692c33d0042 | [
"LGPL-2.0-or-later",
"LicenseRef-scancode-warranty-disclaimer",
"LGPL-2.1-only",
"GPL-1.0-or-later",
"GPL-2.0-only",
"LGPL-2.0-only",
"BSD-2-Clause",
"LicenseRef-scancode-other-copyleft",
"Apache-2.0",
"MIT",
"BSD-3-Clause"
] | permissive | nwjs/chromium.src | 7736ce86a9a0b810449a3b80a4af15de9ef9115d | 454f26d09b2f6204c096b47f778705eab1e3ba46 | refs/heads/nw75 | 2023-08-31T08:01:39.796085 | 2023-04-19T17:25:53 | 2023-04-19T17:25:53 | 50,512,158 | 161 | 201 | BSD-3-Clause | 2023-05-08T03:19:09 | 2016-01-27T14:17:03 | null | UTF-8 | C++ | false | false | 8,227 | cc | // Copyright 2022 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "third_party/blink/public/common/interest_group/auction_config_mojom_traits.h"
#include <string>
#include "base/containers/flat_map.h"
#include "base/strings/escape.h"
#include "base/strings/string_util.h"
#include "base/time/time.h"
#include "third_party/abseil-cpp/absl/types/optional.h"
#include "third_party/abseil-cpp/absl/types/variant.h"
#include "third_party/blink/public/common/interest_group/auction_config.h"
#include "third_party/blink/public/mojom/interest_group/interest_group_types.mojom.h"
#include "url/gurl.h"
#include "url/origin.h"
#include "url/url_constants.h"
namespace mojo {
namespace {
// Validates no key in `buyer_priority_signals` starts with "browserSignals.",
// which are reserved for values set by the browser.
bool AreBuyerPrioritySignalsValid(
const base::flat_map<std::string, double>& buyer_priority_signals) {
for (const auto& priority_signal : buyer_priority_signals) {
if (base::StartsWith(priority_signal.first, "browserSignals."))
return false;
}
return true;
}
} // namespace
bool StructTraits<blink::mojom::DirectFromSellerSignalsSubresourceDataView,
blink::DirectFromSellerSignalsSubresource>::
Read(blink::mojom::DirectFromSellerSignalsSubresourceDataView data,
blink::DirectFromSellerSignalsSubresource* out) {
if (!data.ReadBundleUrl(&out->bundle_url) || !data.ReadToken(&out->token)) {
return false;
}
return true;
}
bool StructTraits<blink::mojom::DirectFromSellerSignalsDataView,
blink::DirectFromSellerSignals>::
Read(blink::mojom::DirectFromSellerSignalsDataView data,
blink::DirectFromSellerSignals* out) {
if (!data.ReadPrefix(&out->prefix) ||
!data.ReadPerBuyerSignals(&out->per_buyer_signals) ||
!data.ReadSellerSignals(&out->seller_signals) ||
!data.ReadAuctionSignals(&out->auction_signals)) {
return false;
}
return true;
}
template <class View, class Wrapper>
bool AdConfigMaybePromiseTraitsHelper<View, Wrapper>::Read(View in,
Wrapper* out) {
switch (in.tag()) {
case View::Tag::kPromise:
*out = Wrapper::FromPromise();
return true;
case View::Tag::kValue: {
typename Wrapper::ValueType payload;
if (!in.ReadValue(&payload)) {
return false;
}
*out = Wrapper::FromValue(std::move(payload));
return true;
}
}
NOTREACHED();
return false;
}
template struct BLINK_COMMON_EXPORT AdConfigMaybePromiseTraitsHelper<
blink::mojom::AuctionAdConfigMaybePromiseJsonDataView,
blink::AuctionConfig::MaybePromiseJson>;
template struct BLINK_COMMON_EXPORT AdConfigMaybePromiseTraitsHelper<
blink::mojom::AuctionAdConfigMaybePromisePerBuyerSignalsDataView,
blink::AuctionConfig::MaybePromisePerBuyerSignals>;
template struct BLINK_COMMON_EXPORT AdConfigMaybePromiseTraitsHelper<
blink::mojom::AuctionAdConfigMaybePromiseBuyerTimeoutsDataView,
blink::AuctionConfig::MaybePromiseBuyerTimeouts>;
template struct BLINK_COMMON_EXPORT AdConfigMaybePromiseTraitsHelper<
blink::mojom::AuctionAdConfigMaybePromiseDirectFromSellerSignalsDataView,
blink::AuctionConfig::MaybePromiseDirectFromSellerSignals>;
bool StructTraits<blink::mojom::AuctionAdConfigBuyerTimeoutsDataView,
blink::AuctionConfig::BuyerTimeouts>::
Read(blink::mojom::AuctionAdConfigBuyerTimeoutsDataView data,
blink::AuctionConfig::BuyerTimeouts* out) {
if (!data.ReadPerBuyerTimeouts(&out->per_buyer_timeouts) ||
!data.ReadAllBuyersTimeout(&out->all_buyers_timeout)) {
return false;
}
return true;
}
bool StructTraits<
blink::mojom::AuctionReportBuyersConfigDataView,
blink::AuctionConfig::NonSharedParams::AuctionReportBuyersConfig>::
Read(
blink::mojom::AuctionReportBuyersConfigDataView data,
blink::AuctionConfig::NonSharedParams::AuctionReportBuyersConfig* out) {
if (!data.ReadBucket(&out->bucket)) {
return false;
}
out->scale = data.scale();
return true;
}
bool StructTraits<blink::mojom::AuctionAdConfigNonSharedParamsDataView,
blink::AuctionConfig::NonSharedParams>::
Read(blink::mojom::AuctionAdConfigNonSharedParamsDataView data,
blink::AuctionConfig::NonSharedParams* out) {
if (!data.ReadInterestGroupBuyers(&out->interest_group_buyers) ||
!data.ReadAuctionSignals(&out->auction_signals) ||
!data.ReadSellerSignals(&out->seller_signals) ||
!data.ReadSellerTimeout(&out->seller_timeout) ||
!data.ReadPerBuyerSignals(&out->per_buyer_signals) ||
!data.ReadBuyerTimeouts(&out->buyer_timeouts) ||
!data.ReadBuyerCumulativeTimeouts(&out->buyer_cumulative_timeouts) ||
!data.ReadPerBuyerGroupLimits(&out->per_buyer_group_limits) ||
!data.ReadPerBuyerPrioritySignals(&out->per_buyer_priority_signals) ||
!data.ReadAllBuyersPrioritySignals(&out->all_buyers_priority_signals) ||
!data.ReadAuctionReportBuyerKeys(&out->auction_report_buyer_keys) ||
!data.ReadAuctionReportBuyers(&out->auction_report_buyers) ||
!data.ReadComponentAuctions(&out->component_auctions)) {
return false;
}
out->all_buyers_group_limit = data.all_buyers_group_limit();
// Only one of `interest_group_buyers` or `component_auctions` may be
// non-empty.
if (out->interest_group_buyers && out->interest_group_buyers->size() > 0 &&
out->component_auctions.size() > 0) {
return false;
}
if (out->interest_group_buyers) {
for (const auto& buyer : *out->interest_group_buyers) {
// Buyers must be HTTPS.
if (buyer.scheme() != url::kHttpsScheme)
return false;
}
}
if (out->per_buyer_priority_signals) {
for (const auto& per_buyer_priority_signals :
*out->per_buyer_priority_signals) {
if (!AreBuyerPrioritySignalsValid(per_buyer_priority_signals.second))
return false;
}
}
if (out->all_buyers_priority_signals &&
!AreBuyerPrioritySignalsValid(*out->all_buyers_priority_signals)) {
return false;
}
for (const auto& component_auction : out->component_auctions) {
// Component auctions may not have their own nested component auctions.
if (!component_auction.non_shared_params.component_auctions.empty())
return false;
}
return true;
}
bool StructTraits<blink::mojom::AuctionAdConfigDataView, blink::AuctionConfig>::
Read(blink::mojom::AuctionAdConfigDataView data,
blink::AuctionConfig* out) {
if (!data.ReadSeller(&out->seller) ||
!data.ReadDecisionLogicUrl(&out->decision_logic_url) ||
!data.ReadTrustedScoringSignalsUrl(&out->trusted_scoring_signals_url) ||
!data.ReadAuctionAdConfigNonSharedParams(&out->non_shared_params) ||
!data.ReadDirectFromSellerSignals(&out->direct_from_seller_signals) ||
!data.ReadPerBuyerExperimentGroupIds(
&out->per_buyer_experiment_group_ids)) {
return false;
}
if (data.has_seller_experiment_group_id())
out->seller_experiment_group_id = data.seller_experiment_group_id();
if (data.has_all_buyer_experiment_group_id())
out->all_buyer_experiment_group_id = data.all_buyer_experiment_group_id();
// Seller must be HTTPS. This also excludes opaque origins, for which scheme()
// returns an empty string.
if (out->seller.scheme() != url::kHttpsScheme)
return false;
// `decision_logic_url` and, if present, `trusted_scoring_signals_url` must
// share the seller's origin, and must be HTTPS. Need to explicitly check the
// scheme because some non-HTTPS URLs may have HTTPS origins (e.g., blob
// URLs).
if (!out->IsHttpsAndMatchesSellerOrigin(out->decision_logic_url) ||
(out->trusted_scoring_signals_url &&
!out->IsHttpsAndMatchesSellerOrigin(
*out->trusted_scoring_signals_url))) {
return false;
}
if (!out->direct_from_seller_signals.is_promise() &&
!out->IsDirectFromSellerSignalsValid(
out->direct_from_seller_signals.value())) {
return false;
}
return true;
}
} // namespace mojo
| [
"[email protected]"
] | |
16872dc99b51dfbde108e05e5900c999b1cf1d0a | 91c7245a5401ceb999241fcd935d659a847e3d6e | /Source/CardSet.h | c45b0bd2a3c00881c5d0bbcdb155ae7774058fe1 | [] | no_license | LinuxKid21/Kingdomino-ai | 0094df41bb2adc169219b89e3e5790b15ee67de8 | 1a09207d567f672de720a0badda372f98b9fe884 | refs/heads/main | 2023-03-10T05:09:15.112356 | 2021-02-23T04:17:46 | 2021-02-23T04:17:46 | 341,425,808 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 263 | h | #pragma once
#include "Card.h"
#include <vector>
class CardSet : public std::vector<Card>
{
public:
CardSet(bool random = true);
CardSet removeTopFour();
static constexpr int MAX_CARDS = 48;
private:
CardSet(iterator start, iterator end);
};
| [
"[email protected]"
] | |
16b8b78cad1f97df25bf1bd292f190c9fef04215 | 5838cf8f133a62df151ed12a5f928a43c11772ed | /NT/inetsrv/iis/setup/osrc/mdacl.cpp | 86fdfc0331d5324c0fadf47bb06137e1665581a5 | [] | no_license | proaholic/Win2K3 | e5e17b2262f8a2e9590d3fd7a201da19771eb132 | 572f0250d5825e7b80920b6610c22c5b9baaa3aa | refs/heads/master | 2023-07-09T06:15:54.474432 | 2021-08-11T09:09:14 | 2021-08-11T09:09:14 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 35,573 | cpp | #include "stdafx.h"
#include <ole2.h>
#include <aclapi.h>
#include "iadmw.h"
#include "iiscnfg.h"
#include "log.h"
#include "mdkey.h"
#include "dcomperm.h"
#include "other.h"
#include "mdacl.h"
#include <sddl.h> // ConvertSidToStringSid
extern int g_GlobalDebugCrypto;
#ifndef _CHICAGO_
BOOL CleanAdminACL(SECURITY_DESCRIPTOR *pSD)
{
// iisDebugOut((LOG_TYPE_TRACE, _T("CleanAdminACL(): Start.\n")));
BOOL fSetData = FALSE;
BOOL b= FALSE, bDaclPresent = FALSE, bDaclDefaulted = FALSE;;
PACL pDacl = NULL;
LPVOID pAce = NULL;
int i = 0;
ACE_HEADER *pAceHeader;
ACCESS_MASK dwOldMask, dwNewMask, dwExtraMask, dwMask;
dwMask = (MD_ACR_READ |
MD_ACR_WRITE |
MD_ACR_RESTRICTED_WRITE |
MD_ACR_UNSECURE_PROPS_READ |
MD_ACR_ENUM_KEYS |
MD_ACR_WRITE_DAC);
b = GetSecurityDescriptorDacl(pSD, &bDaclPresent, &pDacl, &bDaclDefaulted);
if (NULL == pDacl)
{
return FALSE;
}
if (b) {
//iisDebugOut((LOG_TYPE_TRACE, _T("CleanAdminACL:ACE count: %d\n"), (int)pDacl->AceCount));
for (i=0; i<(int)pDacl->AceCount; i++) {
b = GetAce(pDacl, i, &pAce);
if (b) {
pAceHeader = (ACE_HEADER *)pAce;
switch (pAceHeader->AceType) {
case ACCESS_ALLOWED_ACE_TYPE:
dwOldMask = ((ACCESS_ALLOWED_ACE *)pAce)->Mask;
dwExtraMask = dwOldMask & (~dwMask);
if (dwExtraMask) {
fSetData = TRUE;
dwNewMask = dwOldMask & dwMask;
((ACCESS_ALLOWED_ACE *)pAce)->Mask = dwNewMask;
}
break;
case ACCESS_DENIED_ACE_TYPE:
dwOldMask = ((ACCESS_DENIED_ACE *)pAce)->Mask;
dwExtraMask = dwOldMask & (~dwMask);
if (dwExtraMask) {
fSetData = TRUE;
dwNewMask = dwOldMask & dwMask;
((ACCESS_DENIED_ACE *)pAce)->Mask = dwNewMask;
}
break;
case SYSTEM_AUDIT_ACE_TYPE:
dwOldMask = ((SYSTEM_AUDIT_ACE *)pAce)->Mask;
dwExtraMask = dwOldMask & (~dwMask);
if (dwExtraMask) {
fSetData = TRUE;
dwNewMask = dwOldMask & dwMask;
((SYSTEM_AUDIT_ACE *)pAce)->Mask = dwNewMask;
}
break;
default:
break;
}
} else {
//iisDebugOut((LOG_TYPE_TRACE, _T("CleanAdminACL:GetAce:err=%x\n"), GetLastError()));
}
}
} else {
//iisDebugOut((LOG_TYPE_TRACE, _T("CleanAdminACL:GetSecurityDescriptorDacl:err=%x\n"), GetLastError()));
}
//iisDebugOut_End(_T("CleanAdminACL"),LOG_TYPE_TRACE);
return (fSetData);
}
void FixAdminACL(LPTSTR szKeyPath)
{
// iisDebugOutSafeParams((LOG_TYPE_TRACE, _T("FixAdminACL Path=%1!s!. Start.\n"), szKeyPath));
BOOL bFound = FALSE, b = FALSE;
DWORD attr, uType, dType, cbLen;
CMDKey cmdKey;
BUFFER bufData;
CString csName, csValue;
PBYTE pData;
int BufSize;
SECURITY_DESCRIPTOR *pSD;
cmdKey.OpenNode(szKeyPath);
if ( (METADATA_HANDLE)cmdKey )
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = bufData.QuerySize();
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
if (!bFound && (cbLen > 0))
{
if ( ! (bufData.Resize(cbLen)) )
{
cmdKey.Close();
return; // insufficient memory
}
else
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = cbLen;
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
}
}
cmdKey.Close();
if (bFound && (dType == BINARY_METADATA))
{
pSD = (SECURITY_DESCRIPTOR *)pData;
b = CleanAdminACL(pSD);
if (b)
{
// need to reset the data
DWORD dwLength = GetSecurityDescriptorLength(pSD);
cmdKey.OpenNode(szKeyPath);
if ( (METADATA_HANDLE)cmdKey )
{
cmdKey.SetData(MD_ADMIN_ACL,METADATA_INHERIT | METADATA_REFERENCE | METADATA_SECURE,IIS_MD_UT_SERVER,BINARY_METADATA,dwLength,(LPBYTE)pSD);
cmdKey.Close();
}
}
}
}
//iisDebugOut_End1(_T("FixAdminACL"),szKeyPath,LOG_TYPE_TRACE);
return;
}
#endif //_CHICAGO_
#ifndef _CHICAGO_
DWORD SetAdminACL(LPCTSTR szKeyPath, DWORD dwAccessForEveryoneAccount)
{
iisDebugOut_Start1(_T("SetAdminACL"), szKeyPath, LOG_TYPE_TRACE);
int iErr=0;
DWORD dwErr=0;
DWORD dwRetCode = ERROR_SUCCESS;
BOOL b = FALSE;
DWORD dwLength = 0;
PSECURITY_DESCRIPTOR pSD = NULL;
PSECURITY_DESCRIPTOR outpSD = NULL;
DWORD cboutpSD = 0;
PACL pACLNew = NULL;
DWORD cbACL = 0;
PSID pAdminsSID = NULL, pEveryoneSID = NULL;
BOOL bWellKnownSID = FALSE;
// Initialize a new security descriptor
pSD = (PSECURITY_DESCRIPTOR) LocalAlloc(LPTR, SECURITY_DESCRIPTOR_MIN_LENGTH);
if (!pSD)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:LocalAlloc FAILED.out of memory. GetLastError()= 0x%x\n"), ERROR_NOT_ENOUGH_MEMORY));
dwRetCode = ERROR_OUTOFMEMORY;
goto Cleanup;
}
iErr = InitializeSecurityDescriptor(pSD, SECURITY_DESCRIPTOR_REVISION);
if (iErr == 0)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:InitializeSecurityDescriptor FAILED. GetLastError()= 0x%x\n"), GetLastError() ));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
// Get Local Admins Sid
dwErr = GetPrincipalSID (_T("Administrators"), &pAdminsSID, &bWellKnownSID);
if (dwErr != ERROR_SUCCESS)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:GetPrincipalSID(Administrators) FAILED. Return Code = 0x%x\n"), dwErr));
dwRetCode = dwErr;
goto Cleanup;
}
// Get everyone Sid
dwErr = GetPrincipalSID (_T("Everyone"), &pEveryoneSID, &bWellKnownSID);
if (dwErr != ERROR_SUCCESS)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:GetPrincipalSID(Everyone) FAILED. Return Code = 0x%x\n"), dwErr));
dwRetCode = dwErr;
goto Cleanup;
}
// Calculate the length needed for the ACL
cbACL = sizeof(ACL) + (sizeof(ACCESS_ALLOWED_ACE) + GetLengthSid(pAdminsSID) - sizeof(DWORD));
if ( dwAccessForEveryoneAccount != 0x00 )
{
// Add room for everyone ACL
cbACL += sizeof(ACCESS_ALLOWED_ACE) + GetLengthSid(pEveryoneSID) - sizeof(DWORD);
}
pACLNew = (PACL) LocalAlloc(LPTR, cbACL);
if ( !pACLNew )
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:pACLNew LocalAlloc(LPTR, FAILED. size = %u GetLastError()= 0x%x\n"), cbACL, GetLastError()));
dwRetCode = ERROR_OUTOFMEMORY;
goto Cleanup;
}
if (!InitializeAcl(pACLNew, cbACL, ACL_REVISION))
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:InitializeAcl FAILED. GetLastError()= 0x%x\n"), GetLastError));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
if (!AddAccessAllowedAce(pACLNew,ACL_REVISION,(MD_ACR_READ |MD_ACR_WRITE |MD_ACR_RESTRICTED_WRITE |MD_ACR_UNSECURE_PROPS_READ |MD_ACR_ENUM_KEYS |MD_ACR_WRITE_DAC),pAdminsSID))
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:AddAccessAllowedAce(pAdminsSID) FAILED. GetLastError()= 0x%x\n"), GetLastError));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
if ( dwAccessForEveryoneAccount != 0x00 )
{
if (!AddAccessAllowedAce(pACLNew,ACL_REVISION,dwAccessForEveryoneAccount,pEveryoneSID))
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:AddAccessAllowedAce(pEveryoneSID) FAILED. GetLastError()= 0x%x\n"), GetLastError()));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
}
// Add the ACL to the security descriptor
b = SetSecurityDescriptorDacl(pSD, TRUE, pACLNew, FALSE);
if (!b)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:SetSecurityDescriptorDacl(pACLNew) FAILED. GetLastError()= 0x%x\n"), GetLastError()));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
b = SetSecurityDescriptorOwner(pSD, pAdminsSID, TRUE);
if (!b)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:SetSecurityDescriptorOwner(pAdminsSID) FAILED. GetLastError()= 0x%x\n"), GetLastError()));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
b = SetSecurityDescriptorGroup(pSD, pAdminsSID, TRUE);
if (!b)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:SetSecurityDescriptorGroup(pAdminsSID) FAILED. GetLastError()= 0x%x\n"), GetLastError()));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
// Security descriptor blob must be self relative
b = MakeSelfRelativeSD(pSD, outpSD, &cboutpSD);
outpSD = (PSECURITY_DESCRIPTOR)GlobalAlloc(GPTR, cboutpSD);
if ( !outpSD )
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:GlobalAlloc FAILED. cboutpSD = %u GetLastError()= 0x%x\n"), cboutpSD, GetLastError()));
dwRetCode = ERROR_OUTOFMEMORY;
goto Cleanup;
}
b = MakeSelfRelativeSD( pSD, outpSD, &cboutpSD );
if (!b)
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:MakeSelfRelativeSD() FAILED. cboutpSD = %u GetLastError()= 0x%x\n"),cboutpSD, GetLastError()));
dwRetCode = GetLastError() != ERROR_SUCCESS ? GetLastError() : ERROR_OUTOFMEMORY;
goto Cleanup;
}
if (outpSD)
{
if (IsValidSecurityDescriptor(outpSD))
{
// Apply the new security descriptor to the metabase
iisDebugOut_Start(_T("SetAdminACL:Write the new security descriptor to the Metabase"),LOG_TYPE_TRACE);
iisDebugOut((LOG_TYPE_TRACE, _T("SetAdminACL: At this point we have already been able to write basic entries to the metabase, so...")));
iisDebugOut((LOG_TYPE_TRACE, _T("SetAdminACL: If this has a problem then there is a problem with setting up encryption for the metabase (Crypto).")));
//DoesAdminACLExist(szKeyPath);
if (g_GlobalDebugCrypto == 2)
{
// if we want to call this over and over...
do
{
dwRetCode = WriteSDtoMetaBase(outpSD, szKeyPath);
if (FAILED(dwRetCode))
{
OutputDebugString(_T("\nCalling WriteSDtoMetaBase again...Set iis!g_GlobalDebugCrypto to 0 to stop looping on failure."));
OutputDebugString(_T("\nSet iis!g_GlobalDebugCrypto to 0 to stop looping on crypto failure.\n"));
}
} while (FAILED(dwRetCode) && g_GlobalDebugCrypto == 2);
}
else
{
dwRetCode = WriteSDtoMetaBase(outpSD, szKeyPath);
}
//DoesAdminACLExist(szKeyPath);
iisDebugOut_End(_T("SetAdminACL:Write the new security descriptor to the Metabase"),LOG_TYPE_TRACE);
}
else
{
iisDebugOut((LOG_TYPE_ERROR, _T("SetAdminACL:IsValidSecurityDescriptor.4.SelfRelative(%u) FAILED!"),outpSD));
}
}
if (outpSD){GlobalFree(outpSD);outpSD=NULL;}
Cleanup:
// both of Administrators and Everyone are well-known SIDs, use FreeSid() to free them.
if (pAdminsSID){FreeSid(pAdminsSID);}
if (pEveryoneSID){FreeSid(pEveryoneSID);}
if (pSD){LocalFree((HLOCAL) pSD);}
if (pACLNew){LocalFree((HLOCAL) pACLNew);}
iisDebugOut_End1(_T("SetAdminACL"),szKeyPath,LOG_TYPE_TRACE);
return (dwRetCode);
}
DWORD SetAdminACL_wrap(LPCTSTR szKeyPath, DWORD dwAccessForEveryoneAccount, BOOL bDisplayMsgOnErrFlag)
{
int bFinishedFlag = FALSE;
UINT iMsg = NULL;
DWORD dwReturn = ERROR_SUCCESS;
LogHeapState(FALSE, __FILE__, __LINE__);
do
{
dwReturn = SetAdminACL(szKeyPath, dwAccessForEveryoneAccount);
LogHeapState(FALSE, __FILE__, __LINE__);
if (FAILED(dwReturn))
{
if (bDisplayMsgOnErrFlag == TRUE)
{
iMsg = MyMessageBox( NULL, IDS_RETRY, MB_ABORTRETRYIGNORE | MB_SETFOREGROUND );
switch ( iMsg )
{
case IDIGNORE:
dwReturn = ERROR_SUCCESS;
goto SetAdminACL_wrap_Exit;
case IDABORT:
dwReturn = ERROR_OPERATION_ABORTED;
goto SetAdminACL_wrap_Exit;
case IDRETRY:
break;
default:
break;
}
}
else
{
// return whatever err happened
goto SetAdminACL_wrap_Exit;
}
}
else
{
break;
}
} while ( FAILED(dwReturn) );
SetAdminACL_wrap_Exit:
return dwReturn;
}
#endif
#ifndef _CHICAGO_
DWORD WriteSDtoMetaBase(PSECURITY_DESCRIPTOR outpSD, LPCTSTR szKeyPath)
{
iisDebugOut_Start(_T("WriteSDtoMetaBase"), LOG_TYPE_TRACE);
DWORD dwReturn = ERROR_ACCESS_DENIED;
DWORD dwLength = 0;
DWORD dwMDFlags = 0;
CMDKey cmdKey;
HRESULT hReturn = E_FAIL;
int iSavedFlag = 0;
dwMDFlags = METADATA_INHERIT | METADATA_REFERENCE | METADATA_SECURE,IIS_MD_UT_SERVER,BINARY_METADATA;
iSavedFlag = g_GlobalDebugCrypto;
if (!outpSD)
{
dwReturn = ERROR_INVALID_SECURITY_DESCR;
goto WriteSDtoMetaBase_Exit;
}
// Apply the new security descriptor to the metabase
dwLength = GetSecurityDescriptorLength(outpSD);
// open the metabase
// stick it into the metabase. warning those hoses a lot because
// it uses encryption. rsabase.dll
// Check for special debug flag in metabase to break right before this call!
if (g_GlobalDebugCrypto != 0)
{
// special flag to say... hey "stop setup so that the crypto team can debug they're stuff"
iisDebugOut((LOG_TYPE_TRACE, _T("Breakpoint enabled thru setup (to debug crypto api). look at debugoutput.")));
OutputDebugString(_T("\n\nBreakpoint enabled thru setup (to debug crypto api)"));
OutputDebugString(_T("\n1.in this process:"));
OutputDebugString(_T("\n set breakpoint on admwprox!IcpGetContainerHelper"));
OutputDebugString(_T("\n set breakpoint on advapi32!CryptAcquireContextW"));
OutputDebugString(_T("\n IcpGetKeyHelper will call CryptAcquireContext and try to open an existing key container,"));
OutputDebugString(_T("\n if it doesn't exist it will return NTE_BAD_KEYSET, and IcpGetContainerHelper will try to create the container."));
OutputDebugString(_T("\n2.in the inetinfo process:"));
OutputDebugString(_T("\n set breakpoint on admwprox!IcpGetContainerHelper"));
OutputDebugString(_T("\n set breakpoint on advapi32!CryptAcquireContextW\n"));
}
hReturn = cmdKey.CreateNode(METADATA_MASTER_ROOT_HANDLE, szKeyPath);
if ( (METADATA_HANDLE)cmdKey )
{
TCHAR szErrorString[50];
iisDebugOut((LOG_TYPE_TRACE, _T("WriteSDtoMetaBase:cmdKey():SetData(MD_ADMIN_ACL), dwdata = %d; outpSD = %x, Start\n"), dwLength, (DWORD_PTR) outpSD ));
if (g_GlobalDebugCrypto != 0)
{
OutputDebugString(_T("\nCalling SetData....\n"));
DebugBreak();
}
dwReturn = cmdKey.SetData(MD_ADMIN_ACL,dwMDFlags,IIS_MD_UT_SERVER,BINARY_METADATA,dwLength,(LPBYTE)outpSD);
if (FAILED(dwReturn))
{
iisDebugOut((LOG_TYPE_ERROR, _T("WriteSDtoMetaBase:cmdKey():SetData(MD_ADMIN_ACL), FAILED. Code=0x%x.End.\n"), dwReturn));
if (g_GlobalDebugCrypto != 0)
{
_stprintf(szErrorString, _T("\r\nSetData Failed. code=0x%x\r\n\r\n"), dwReturn);
OutputDebugString(szErrorString);
}
}
else
{
dwReturn = ERROR_SUCCESS;
iisDebugOut((LOG_TYPE_TRACE, _T("WriteSDtoMetaBase:cmdKey():SetData(MD_ADMIN_ACL), Success.End.\n")));
if (g_GlobalDebugCrypto != 0)
{
_stprintf(szErrorString, _T("\r\nSetData Succeeded. code=0x%x\r\n\r\n"), dwReturn);
OutputDebugString(szErrorString);
}
}
cmdKey.Close();
}
else
{
dwReturn = hReturn;
}
WriteSDtoMetaBase_Exit:
g_GlobalDebugCrypto = iSavedFlag;
iisDebugOut((LOG_TYPE_TRACE, _T("WriteSDtoMetaBase:End. Return=0x%x"), dwReturn));
return dwReturn;
}
DWORD WriteSessiontoMetaBase(LPCTSTR szKeyPath)
{
iisDebugOut_Start(_T("WriteSessiontoMetaBase"), LOG_TYPE_TRACE);
DWORD dwReturn = ERROR_ACCESS_DENIED;
CMDKey cmdKey;
HRESULT hReturn = E_FAIL;
hReturn = cmdKey.CreateNode(METADATA_MASTER_ROOT_HANDLE, szKeyPath);
if ( (METADATA_HANDLE)cmdKey )
{
dwReturn = cmdKey.SetData(9999,METADATA_NO_ATTRIBUTES,IIS_MD_UT_SERVER,BINARY_METADATA,0,(LPBYTE)"");
if (FAILED(dwReturn))
{
iisDebugOut((LOG_TYPE_ERROR, _T("WriteSessiontoMetaBase:cmdKey():SetData(), FAILED. Code=0x%x.End.\n"), dwReturn));
}
else
{
dwReturn = ERROR_SUCCESS;
iisDebugOut((LOG_TYPE_TRACE, _T("WriteSessiontoMetaBase:cmdKey():SetData(), Success.End.\n")));
}
cmdKey.Close();
}
else
{
dwReturn = hReturn;
}
iisDebugOut((LOG_TYPE_TRACE, _T("WriteSessiontoMetaBase:End. Return=0x%x"), dwReturn));
return dwReturn;
}
#endif
//----------------------------------------------------------------------------
// Test if the given account name is an account on the local machine or not.
//----------------------------------------------------------------------------
BOOL IsLocalAccount(LPCTSTR pAccnt, DWORD *dwErr )
{
BOOL fIsLocalAccount = FALSE;
CString csDomain, csComputer;
DWORD cbDomain = 0;
PSID pSid = NULL;
DWORD cbSid = 0;
SID_NAME_USE snu;
// get the computer name
cbDomain = _MAX_PATH;
GetComputerName(
csComputer.GetBuffer( cbDomain ), // address of name buffer
&cbDomain // address of size of name buffer
);
csComputer.ReleaseBuffer();
cbDomain = 0;
// have security look up the account name and get the domain name. We dont' care about
// the other stuff it can return, so pass in nulls
BOOL fLookup = LookupAccountName(
NULL, // address of string for system name
pAccnt, // address of string for account name
NULL, // address of security identifier
&cbSid, // address of size of security identifier
NULL,// address of string for referenced domain
&cbDomain, // address of size of domain string
&snu // address of SID-type indicator
);
// check the error - it should be insufficient buffer
*dwErr = GetLastError();
if (*dwErr != ERROR_INSUFFICIENT_BUFFER)
return FALSE;
// allocate the sid
pSid = (PSID) malloc (cbSid);
if (!pSid )
{
*dwErr = GetLastError();
return FALSE;
}
// do the real lookup
fLookup = LookupAccountName (NULL,pAccnt,pSid,&cbSid,csDomain.GetBuffer(cbDomain+2),&cbDomain,&snu);
csDomain.ReleaseBuffer();
// free the pSid we allocated above and set the final error code
*dwErr = GetLastError();
free( pSid );
pSid = NULL;
// compare the domain to the machine name, if it is the same, then set the sub auth
if ( fLookup && (csDomain.CompareNoCase(csComputer) == 0) )
fIsLocalAccount = TRUE;
// return the answer
return fIsLocalAccount;
}
// pDomainUserName can be one of the following:
//
// domainname\username <-- this function returns true
// computername\username <-- this function returns false
// username <-- this function returns false
//
int IsDomainSpecifiedOtherThanLocalMachine(LPCTSTR pDomainUserName)
{
int iReturn = TRUE;
TCHAR szTempDomainUserName[_MAX_PATH];
iisDebugOut_Start1(_T("IsDomainSpecifiedOtherThanLocalMachine"),pDomainUserName);
CString csComputer;
DWORD cbDomain = 0;
// Make a copy to be sure not to move the pointer around.
_tcscpy(szTempDomainUserName, pDomainUserName);
// Check if there is a "\" in there.
LPTSTR pch = NULL;
pch = _tcschr(szTempDomainUserName, _T('\\'));
if (!pch)
{
// no '\' found so, they must be specifying only the username, return false
iReturn = FALSE;
goto IsDomainSpecifiedOtherThanLocalMachine_Exit;
}
// We have at least a '\' in there, so set default return to true.
// let's check if the name is the local computername!
// get the computer name
cbDomain = _MAX_PATH;
if (0 == GetComputerName(csComputer.GetBuffer( cbDomain ),&cbDomain) )
{
// failed to get computername so, let's bail
iReturn = TRUE;
csComputer.ReleaseBuffer();
goto IsDomainSpecifiedOtherThanLocalMachine_Exit;
}
csComputer.ReleaseBuffer();
cbDomain = 0;
// trim off the '\' character to leave just the domain\computername so we can check against it.
*pch = _T('\0');
// Compare the domainname with the computername
// if they match then it's the local system account.
iReturn = TRUE;
iisDebugOut((LOG_TYPE_TRACE, _T("IsDomainSpecifiedOtherThanLocalMachine(): %s -- %s.\n"), szTempDomainUserName, csComputer));
if ( 0 == csComputer.CompareNoCase(szTempDomainUserName) )
{
// The domain name and the computername are the same.
// it is the same place.
iReturn = FALSE;
}
IsDomainSpecifiedOtherThanLocalMachine_Exit:
iisDebugOut((LOG_TYPE_TRACE, _T("IsDomainSpecifiedOtherThanLocalMachine():%s.End.Ret=%d.\n"), pDomainUserName,iReturn));
return iReturn;
}
#ifndef _CHICAGO_
void DumpAdminACL(HANDLE hFile,PSECURITY_DESCRIPTOR pSD)
{
BOOL b= FALSE, bDaclPresent = FALSE, bDaclDefaulted = FALSE;;
PACL pDacl = NULL;
ACCESS_ALLOWED_ACE* pAce;
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:Start\n")));
b = GetSecurityDescriptorDacl(pSD, &bDaclPresent, &pDacl, &bDaclDefaulted);
if (NULL == pDacl)
{
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:No Security.\n")));
return;
}
if (b)
{
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:ACE count: %d\n"), (int)pDacl->AceCount));
// get dacl length
DWORD cbDacl = pDacl->AclSize;
// now check if SID's ACE is there
for (int i = 0; i < pDacl->AceCount; i++)
{
if (!GetAce(pDacl, i, (LPVOID *) &pAce))
{
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:GetAce failed with 0x%x\n"),GetLastError()));
}
if (IsValidSid( (PSID) &(pAce->SidStart) ) )
{
LPTSTR pszSid;
LPCTSTR ServerName = NULL; // local machine
DWORD cbName = UNLEN+1;
TCHAR ReferencedDomainName[200];
DWORD cbReferencedDomainName = sizeof(ReferencedDomainName);
SID_NAME_USE sidNameUse = SidTypeUser;
TCHAR szUserName[UNLEN + 1];
// dump out the sid in string format
if (ConvertSidToStringSid( (PSID) &(pAce->SidStart) , &pszSid))
{
_tcscpy(szUserName, _T("(unknown...)"));
if (LookupAccountSid(ServerName, (PSID) &(pAce->SidStart), szUserName, &cbName, ReferencedDomainName, &cbReferencedDomainName, &sidNameUse))
{
// Get the rights for this user.
// pAce->Mask
DWORD dwBytesWritten = 0;
TCHAR szBuf[UNLEN+1 + 20 + 20];
memset(szBuf, 0, _tcslen(szBuf) * sizeof(TCHAR));
/*
typedef struct _ACCESS_ALLOWED_ACE {
ACE_HEADER Header;
ACCESS_MASK Mask;
ULONG SidStart;
} ACCESS_ALLOWED_ACE;
typedef struct _ACE_HEADER {
UCHAR AceType;
UCHAR AceFlags;
USHORT AceSize;
} ACE_HEADER;
typedef ACE_HEADER *PACE_HEADER;
typedef ULONG ACCESS_MASK;
*/
_stprintf(szBuf, _T("%s,%s,0x%x,0x%x,0x%x,0x%x\r\n"),
szUserName,
pszSid,
pAce->Header.AceType,
pAce->Header.AceFlags,
pAce->Header.AceSize,
pAce->Mask
);
if (hFile != NULL && hFile != INVALID_HANDLE_VALUE)
{
if (WriteFile(hFile, szBuf, _tcslen(szBuf) * sizeof(TCHAR), &dwBytesWritten, NULL ) == FALSE )
{iisDebugOut((LOG_TYPE_WARN, _T("WriteFile Failed=0x%x.\n"), GetLastError()));}
}
else
{
// echo to logfile
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:Sid[%i]=%s,%s,0x%x,0x%x,0x%x,0x%x\n"),i,
pszSid,
szUserName,
pAce->Header.AceType,
pAce->Header.AceFlags,
pAce->Header.AceSize,
pAce->Mask
));
}
}
else
{
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:Sid[%i]=%s='%s'\n"),i,pszSid,szUserName));
}
LocalFree(LocalHandle(pszSid));
}
}
else
{
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:IsVAlidSid failed with 0x%x\n"),GetLastError()));
}
}
}
iisDebugOut((LOG_TYPE_TRACE, _T("DumpAdminACL:End\n")));
return;
}
#endif
DWORD MDDumpAdminACL(CString csKeyPath)
{
DWORD dwReturn = ERROR_ACCESS_DENIED;
BOOL bFound = FALSE;
DWORD attr, uType, dType, cbLen;
CMDKey cmdKey;
BUFFER bufData;
PBYTE pData;
int BufSize;
PSECURITY_DESCRIPTOR pOldSd = NULL;
cmdKey.OpenNode(csKeyPath);
if ( (METADATA_HANDLE) cmdKey )
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = bufData.QuerySize();
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
if (!bFound)
{
if (cbLen > 0)
{
if ( ! (bufData.Resize(cbLen)) )
{
iisDebugOut((LOG_TYPE_ERROR, _T("MDDumpAdminACL(): cmdKey.GetData. failed to resize to %d.!\n"), cbLen));
}
else
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = cbLen;
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
}
}
}
cmdKey.Close();
if (bFound)
{
// dump out the info
// We've got the acl
pOldSd = (PSECURITY_DESCRIPTOR) pData;
if (IsValidSecurityDescriptor(pOldSd))
{
#ifndef _CHICAGO_
DumpAdminACL(INVALID_HANDLE_VALUE,pOldSd);
dwReturn = ERROR_SUCCESS;
#endif
}
}
else
{
dwReturn = ERROR_PATH_NOT_FOUND;
}
}
return dwReturn;
}
// function: AddUserToMetabaseACL_Rec
//
// Add a user to a metabase acl recursively. This will add them
// directly to the location you specify, and then to any other
// location that is a child of it, that has an ACL set
//
DWORD AddUserToMetabaseACL_Rec(CString csKeyPath, LPTSTR szUserToAdd, DWORD dwAccessMask )
{
CMDKey cmdKey;
DWORD dwRet;
CStringList AclList;
POSITION pos;
CString csPath;
CString csFullPath;
CString csNewPath;
dwRet = AddUserToMetabaseACL( csKeyPath, szUserToAdd, dwAccessMask );
if ( dwRet != ERROR_SUCCESS )
{
// Failed, so lets exit
return dwRet;
}
if ( FAILED( cmdKey.OpenNode(csKeyPath) ) ||
FAILED( cmdKey.GetDataPaths( MD_ADMIN_ACL,
BINARY_METADATA,
AclList ) )
)
{
return ERROR_ACCESS_DENIED;
}
// Close Metabase
cmdKey.Close();
pos = AclList.GetHeadPosition();
while ( NULL != pos )
{
csPath = AclList.GetNext( pos );
if ( ( _tcscmp( csPath.GetBuffer(0), _T("/") ) == 0 ) ||
( _tcsnicmp( csPath.GetBuffer(0),
METABASEPATH_SCHEMA,
_tcslen( METABASEPATH_SCHEMA ) ) == 0 )
)
{
// If we are at the root of where we set it, then skip this one,
// since this is already set. Or if we are in the schema, it
// should not be changed
continue;
}
if ( _tcscmp( csKeyPath.GetBuffer(0), _T("/") ) == 0 )
{
// If the root of the acl we are at is the root, then don't
// add '/' to it, since it already starts with a '/'
csFullPath = csPath;
}
else
{
csFullPath = csKeyPath + csPath;
}
dwRet = AddUserToMetabaseACL( csFullPath, szUserToAdd, dwAccessMask );
if ( dwRet != ERROR_SUCCESS )
{
return dwRet;
}
}
return dwRet;
}
DWORD AddUserToMetabaseACL(CString csKeyPath, LPTSTR szUserToAdd, DWORD dwAccessMask )
{
DWORD dwReturn = ERROR_ACCESS_DENIED;
BOOL bFound = FALSE;
DWORD attr, uType, dType, cbLen;
CMDKey cmdKey;
BUFFER bufData;
PBYTE pData;
int BufSize;
PSECURITY_DESCRIPTOR pOldSd = NULL;
PSECURITY_DESCRIPTOR pNewSd = NULL;
cmdKey.OpenNode(csKeyPath);
if ( (METADATA_HANDLE) cmdKey )
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = bufData.QuerySize();
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
if (!bFound)
{
if (cbLen > 0)
{
if ( ! (bufData.Resize(cbLen)) )
{
iisDebugOut((LOG_TYPE_ERROR, _T("AddUserToMetabaseACL(): cmdKey.GetData. failed to resize to %d.!\n"), cbLen));
}
else
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = cbLen;
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
}
}
}
cmdKey.Close();
if (bFound)
{
// We've got the acl
// so now we want to add a user to it.
pOldSd = (PSECURITY_DESCRIPTOR) pData;
if (IsValidSecurityDescriptor(pOldSd))
{
PSID principalSID = NULL;
BOOL bWellKnownSID = FALSE;
if ( dwAccessMask == 0x00 )
{
// If accessmask is not set, then lets set it
dwAccessMask = ( MD_ACR_READ |
MD_ACR_WRITE |
MD_ACR_RESTRICTED_WRITE |
MD_ACR_UNSECURE_PROPS_READ |
MD_ACR_ENUM_KEYS |
MD_ACR_WRITE_DAC );
}
// Get the SID for the certain string (administrator or everyone or whoever)
dwReturn = GetPrincipalSID(szUserToAdd, &principalSID, &bWellKnownSID);
if (dwReturn != ERROR_SUCCESS)
{
iisDebugOut((LOG_TYPE_WARN, _T("AddUserToMetabaseACL:GetPrincipalSID(%s) FAILED. Error()= 0x%x\n"), szUserToAdd, dwReturn));
return dwReturn;
}
#ifndef _CHICAGO_
if (FALSE == AddUserAccessToSD(pOldSd,principalSID,dwAccessMask,ACCESS_ALLOWED_ACE_TYPE,&pNewSd))
{
iisDebugOut((LOG_TYPE_ERROR, _T("AddUserToMetabaseACL:AddUserAccessToSD FAILED\n")));
return dwReturn;
}
if (pNewSd)
{
// We have a new self relative SD
// lets write it to the metabase.
if (IsValidSecurityDescriptor(pNewSd))
{
dwReturn = WriteSDtoMetaBase(pNewSd, csKeyPath);
}
}
#endif
}
}
else
{
dwReturn = ERROR_PATH_NOT_FOUND;
}
}
if (pNewSd){GlobalFree(pNewSd);}
iisDebugOut((LOG_TYPE_TRACE, _T("AddUserToMetabaseACL():End. Return=0x%x.\n"), dwReturn));
return dwReturn;
}
DWORD DoesAdminACLExist(CString csKeyPath)
{
DWORD dwReturn = FALSE;
BOOL bFound = FALSE;
DWORD attr, uType, dType, cbLen;
CMDKey cmdKey;
BUFFER bufData;
PBYTE pData;
int BufSize;
cmdKey.OpenNode(csKeyPath);
if ( (METADATA_HANDLE) cmdKey )
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = bufData.QuerySize();
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
if (bFound)
{
dwReturn = TRUE;
}
else
{
if (cbLen > 0)
{
if ( ! (bufData.Resize(cbLen)) )
{
iisDebugOut((LOG_TYPE_ERROR, _T("DoesAdminACLExist(): cmdKey.GetData. failed to resize to %d.!\n"), cbLen));
}
else
{
pData = (PBYTE)(bufData.QueryPtr());
BufSize = cbLen;
cbLen = 0;
bFound = cmdKey.GetData(MD_ADMIN_ACL, &attr, &uType, &dType, &cbLen, pData, BufSize);
if (bFound)
{
dwReturn = TRUE;
}
}
}
}
cmdKey.Close();
}
if (dwReturn != TRUE)
{
//No the acl Does not exist
}
iisDebugOut((LOG_TYPE_TRACE, _T("DoesAdminACLExist():End. Return=0x%x.\n"), dwReturn));
return dwReturn;
}
| [
"[email protected]"
] | |
e668e3928595fadcc307b4e4321179994c7b0bda | 7ad38afd4267250467243afe96b34ca3dfcc7265 | /srcs/algorithm/heuristics/ManhattanDistance.hpp | d1de82507e8c98e2c564e6525a61597956aa0942 | [
"MIT"
] | permissive | Globidev/N-Puzzle | eeed008960d2940e1f7414f034dbcda1473b3af8 | 2b6e23d509a40d1089b5212e04fb86e237519228 | refs/heads/master | 2021-01-15T09:03:05.302559 | 2018-07-24T18:40:40 | 2018-07-24T18:40:40 | 34,265,004 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,074 | hpp | #pragma once
#include "puzzle/Puzzle.hpp"
namespace algorithm {
namespace heuristics {
template <uint size>
struct ManhattanDistance {
ManhattanDistance(const puzzle::Puzzle<size> & goal) {
for (uint i = 0; i < size * size; ++i)
indexes[goal.grid[i]] = i;
}
auto operator()(const puzzle::Puzzle<size> & puzzle) const {
uint cost = 0;
for (uint i = 0; i < size * size; ++i) {
if (puzzle.grid[i] == 0)
continue ;
uint gi = indexes[puzzle.grid[i]];
int gx = gi % size;
int gy = gi / size;
int x = i % size;
int y = i / size;
int dx = x - gx;
int dy = y - gy;
cost += std::abs(dx) + std::abs(dy);
}
return cost;
}
private:
uint indexes[size * size];
};
}
}
| [
"[email protected]"
] | |
90d9249846d6a9ee76ee1c23ad23d52cd3793393 | a87c88cf26e7cab3ad484f48eb353b9ab23938c7 | /Parser.cpp | 026e825666af08aa04daa480c186ea8c4e24b7ff | [] | no_license | harvardinformatics/spaln-boundary-scorer | 95ecd9a3dae4c5403aae002ee92368fc4ab91f38 | b48977154a75a8559ff0398b8858dc2a51768632 | refs/heads/master | 2023-03-10T18:42:31.689427 | 2021-02-23T01:44:16 | 2021-02-23T01:44:16 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,845 | cpp | #include "Parser.h"
#include <string>
#include <fstream>
#include <iostream>
using namespace std;
Parser::Parser() {
windowLength = 10;
scoreMatrix = NULL;
processReverse = false;
}
int Parser::parse(string outputFile) {
// Restart output file
ofstream ofs(outputFile.c_str());
ofs.close();
int status = parseNext();
while (status != NO_MORE_ALIGNMENTS) {
alignment.scoreHints(windowLength, scoreMatrix, kernel);
alignment.printHints(outputFile, minExonScore, minInitialExonScore,
minInitialIntronScore);
status = parseNext();
}
return READ_SUCCESS;
}
int Parser::parseNext() {
string line;
while (getline(cin, line)) {
if (line.substr(0,1) == ">") {
return alignment.parse(cin, line, true);
} else if (processReverse && line.substr(0,1) == "<") {
return alignment.parse(cin, line, false);
}
}
return NO_MORE_ALIGNMENTS;
}
double Parser::maxScore() {
return scoreMatrix->getMaxScore();
}
void Parser::setScoringCombination(int combination) {
scoreCombination = combination;
}
void Parser::setWindowLegth(int length) {
windowLength = length;
}
void Parser::setScoringMatrix(const ScoreMatrix * scoreMatrix) {
this->scoreMatrix = scoreMatrix;
}
void Parser::setKernel(Kernel* kernel) {
this->kernel = kernel;
}
void Parser::setMinExonScore(double minExonScore) {
this->minExonScore = minExonScore;
}
void Parser::setMinInitialExonScore(double minInitialExonScore) {
this->minInitialExonScore = minInitialExonScore;
}
void Parser::setMinInitialIntronScore(double minInitialIntronScore) {
this->minInitialIntronScore = minInitialIntronScore;
}
void Parser::setProcessReverse(bool processReverse) {
this->processReverse = processReverse;
} | [
"[email protected]"
] | |
f2543b307b8a7bc65068021588c75992b6889144 | ece911ab5fe553c818efaa85a767876f6ad4e211 | /inc/hgl/graph/VKPrimitive.h | 21b1f2e2e8562d577c8c3183fe2191fb7af27d8e | [
"MIT"
] | permissive | hyzboy/ULRE | 0b8fccfefb90ff8f362d9719aebad2160c0c12a6 | 51deea7c29ac6263111cf22073fcbb3a105d1827 | refs/heads/master | 2023-08-08T01:19:54.906869 | 2023-05-18T06:05:03 | 2023-05-18T06:05:03 | 157,586,917 | 21 | 6 | null | null | null | null | UTF-8 | C++ | false | false | 2,323 | h | #ifndef HGL_GRAPH_VULKAN_PRIMITIVE_INCLUDE
#define HGL_GRAPH_VULKAN_PRIMITIVE_INCLUDE
#include<hgl/graph/VKIndexBuffer.h>
#include<hgl/type/Map.h>
#include<hgl/type/String.h>
#include<hgl/math/Math.h>
#include<hgl/graph/AABB.h>
VK_NAMESPACE_BEGIN
/**
* 单一图元数据
*/
class Primitive
{
struct VBOData
{
VBO *buf;
VkDeviceSize offset;
public:
CompOperatorMemcmp(const VBOData &);
};
Map<AnsiString,VBOData> buffer_list;
protected:
uint32_t draw_count;
IndexBuffer *indices_buffer=nullptr;
VkDeviceSize indices_offset=0;
protected:
AABB BoundingBox;
protected:
friend class RenderableNode;
uint ref_count=0;
uint RefInc(){return ++ref_count;}
uint RefDec(){return --ref_count;}
public:
Primitive(const uint32_t dc=0):draw_count(dc){}
virtual ~Primitive()=default;
const uint GetRefCount()const{return ref_count;}
void SetBoundingBox(const AABB &aabb){BoundingBox=aabb;}
const AABB & GetBoundingBox()const {return BoundingBox;}
bool Set(const AnsiString &name,VBO *vb,VkDeviceSize offset=0);
bool Set(IndexBuffer *ib,VkDeviceSize offset=0)
{
if(!ib)return(false);
indices_buffer=ib;
indices_offset=offset;
return(true);
}
public:
void SetDrawCount(const uint32_t dc){draw_count=dc;} ///<设置当前对象绘制需要多少个顶点
virtual const uint32_t GetDrawCount()const ///<取得当前对象绘制需要多少个顶点
{
if(indices_buffer)
return indices_buffer->GetCount();
return draw_count;
}
VBO * GetVBO (const AnsiString &,VkDeviceSize *);
VkBuffer GetBuffer (const AnsiString &,VkDeviceSize *);
const int GetBufferCount ()const {return buffer_list.GetCount();}
IndexBuffer * GetIndexBuffer () {return indices_buffer;}
const VkDeviceSize GetIndexBufferOffset()const {return indices_offset;}
};//class Primitive
VK_NAMESPACE_END
#endif//HGL_GRAPH_VULKAN_PRIMITIVE_INCLUDE
| [
"[email protected]"
] | |
c5e0a3e665039adfe6e411145fa45719cba63682 | f890418376a8aa142cad598fc3add9d53a5f1343 | /rosabridge_arduino/sketchbook/Odom.ino | ccb6852d6bc03f7a081898bd1bc1c7459d88f871 | [
"BSD-3-Clause"
] | permissive | ecostech/rosabridge | 90372201a971c0007b3b9a4c71ce61770faf78b8 | a52d375412ab8e758b2556af1c4b620a44b37ce8 | refs/heads/master | 2021-05-14T12:52:28.501085 | 2021-04-07T17:13:00 | 2021-04-07T17:13:00 | 116,420,431 | 7 | 5 | null | null | null | null | UTF-8 | C++ | false | false | 7,500 | ino |
// Define following to enable debug output
//#define _ODOM_DEBUG
// Define following to use abbreviated data types
#define _ODOM_PROXY
#ifdef _ODOM_PROXY
// Define following to enable service for returning covariance
//#define _ODOM_COVAR_SERVER
#endif
#include <tf/tf.h>
#include <geometry_msgs/Quaternion.h>
#ifdef _ODOM_PROXY
#include <rosabridge_msgs/Odometry.h>
#include <rosabridge_msgs/RequestOdometryCovariances.h>
#else
#include <tf/transform_broadcaster.h>
#include <geometry_msgs/TransformStamped.h>
#include <nav_msgs/Odometry.h>
#endif
#include <SoftwareSerial.h>
#ifdef _ODOM_PROXY
rosabridge_msgs::Odometry odom_msg;
ros::Publisher odom_pub("rosabridge/odom", &odom_msg);
#else
geometry_msgs::TransformStamped trans_msg;
nav_msgs::Odometry odom_msg;
tf::TransformBroadcaster broadcaster;
ros::Publisher odom_pub("odom", &odom_msg);
#endif
const char base_link[] = "base_link";
const char odom[] = "odom";
#define NORMALIZE(z) (atan2(sin(z), cos(z)))
// buffer for reading encoder counts
int odom_idx = 0;
char odom_buf[24];
int32_t odom_encoder_left = 0;
int32_t odom_encoder_right = 0;
float odom_x = 0.0;
float odom_y = 0.0;
float odom_yaw = 0.0;
float odom_last_x = 0.0;
float odom_last_y = 0.0;
float odom_last_yaw = 0.0;
uint32_t odom_last_time = 0;
#ifdef _ODOM_COVAR_SERVER
void odom_covar_callback(const rosabridge_msgs::RequestOdometryCovariancesRequest& req, rosabridge_msgs::RequestOdometryCovariancesResponse& res)
{
res.odometry_covariances.pose.pose.covariance[0] = 0.001;
res.odometry_covariances.pose.pose.covariance[7] = 0.001;
res.odometry_covariances.pose.pose.covariance[14] = 1000000;
res.odometry_covariances.pose.pose.covariance[21] = 1000000;
res.odometry_covariances.pose.pose.covariance[28] = 1000000;
res.odometry_covariances.pose.pose.covariance[35] = 1000;
res.odometry_covariances.twist.twist.covariance[0] = 0.001;
res.odometry_covariances.twist.twist.covariance[7] = 0.001;
res.odometry_covariances.twist.twist.covariance[14] = 1000000;
res.odometry_covariances.twist.twist.covariance[21] = 1000000;
res.odometry_covariances.twist.twist.covariance[28] = 1000000;
res.odometry_covariances.twist.twist.covariance[35] = 1000;
}
ros::ServiceServer<rosabridge_msgs::RequestOdometryCovariancesRequest, rosabridge_msgs::RequestOdometryCovariancesResponse> odom_covar_server("rosabridge/odom_covar_srv",&odom_covar_callback);
#endif
void odom_setup()
{
#ifdef _ODOM_DEBUG
Serial.println("Starting Odom...");
Serial.flush();
#endif
#ifdef _ODOM_PROXY
nh.advertise(odom_pub);
#else
broadcaster.init(nh);
nh.advertise(odom_pub);
#endif
#ifdef _ODOM_COVAR_SERVER
nh.advertiseService(odom_covar_server);
#endif
odom_msg.header.seq = 0;
odom_msg.header.frame_id = odom;
odom_msg.child_frame_id = base_link;
// CBA Set Odom covariances
#ifdef _ODOM_PROXY
odom_msg.pose_covariance[0] = 0.001;
odom_msg.pose_covariance[1] = 0.001;
odom_msg.pose_covariance[2] = 1000000;
odom_msg.pose_covariance[3] = 1000000;
odom_msg.pose_covariance[4] = 1000000;
odom_msg.pose_covariance[5] = 1000;
odom_msg.twist_covariance[0] = 0.001;
odom_msg.twist_covariance[1] = 0.001;
odom_msg.twist_covariance[2] = 1000000;
odom_msg.twist_covariance[3] = 1000000;
odom_msg.twist_covariance[4] = 1000000;
odom_msg.twist_covariance[5] = 1000;
#else
trans_msg.header.seq = 0;
trans_msg.header.frame_id = odom;
trans_msg.child_frame_id = base_link;
memset(odom_msg.pose.covariance, 0, sizeof(odom_msg.pose.covariance));
odom_msg.pose.covariance[0] = 0.001;
odom_msg.pose.covariance[7] = 0.001;
odom_msg.pose.covariance[14] = 1000000;
odom_msg.pose.covariance[21] = 1000000;
odom_msg.pose.covariance[28] = 1000000;
odom_msg.pose.covariance[35] = 1000;
memset(odom_msg.twist.covariance, 0, sizeof(odom_msg.twist.covariance));
odom_msg.twist.covariance[0] = 0.001;
odom_msg.twist.covariance[7] = 0.001;
odom_msg.twist.covariance[14] = 1000000;
odom_msg.twist.covariance[21] = 1000000;
odom_msg.twist.covariance[28] = 1000000;
odom_msg.twist.covariance[35] = 1000;
#endif
odom_last_time = millis();
}
void odom_publish()
{
// determine delta time in seconds
uint32_t nowtime = millis();
float dt = (float)DELTAT(nowtime,odom_last_time) / 1000.0;
odom_last_time = nowtime;
#ifdef _ODOM_DEBUG
/*
Serial.print("right: ");
Serial.print(odom_encoder_right);
Serial.print(" left: ");
Serial.print(odom_encoder_left);
Serial.print(" dt: ");
Serial.print(dt);
Serial.println("");
Serial.flush();
*/
#endif
// determine deltas of distance and angle
float linear = ((float)odom_encoder_right / ROBOT_ENCODER_CPR * ROBOT_WHEEL_CIRCUMFERENCE + (float)odom_encoder_left / ROBOT_ENCODER_CPR * ROBOT_WHEEL_CIRCUMFERENCE) / 2.0;
float angular = ((float)odom_encoder_right / ROBOT_ENCODER_CPR * ROBOT_WHEEL_CIRCUMFERENCE - (float)odom_encoder_left / ROBOT_ENCODER_CPR * ROBOT_WHEEL_CIRCUMFERENCE) / ROBOT_AXLE_LENGTH;
#ifdef _ODOM_DEBUG
/*
Serial.print("linear: ");
Serial.print(linear);
Serial.print(" angular: ");
Serial.print(angular);
Serial.println("");
Serial.flush();
*/
#endif
// Update odometry
odom_x += linear * cos(odom_yaw); // m
odom_y += linear * sin(odom_yaw); // m
odom_yaw = NORMALIZE(odom_yaw + angular); // rad
#ifdef _ODOM_DEBUG
/**/
Serial.print("x: ");
Serial.print(odom_x);
Serial.print(" y: ");
Serial.print(odom_y);
Serial.print(" yaw: ");
Serial.print(odom_yaw);
Serial.println("");
Serial.flush();
/**/
#endif
// Calculate velocities
float vx = (odom_x - odom_last_x) / dt;
float vy = (odom_y - odom_last_y) / dt;
float vyaw = (odom_yaw - odom_last_yaw) / dt;
odom_last_x = odom_x;
odom_last_y = odom_y;
odom_last_yaw = odom_yaw;
#ifdef _ODOM_DEBUG
/*
Serial.print("vx: ");
Serial.print(vx);
Serial.print(" vy: ");
Serial.print(vy);
Serial.print(" vyaw: ");
Serial.print(vyaw);
Serial.println("");
Serial.flush();
*/
#endif
// CBA tf:createQuaternionMsgFromYaw missing (from Arduino?)
// geometry_msgs::Quaternion quat = tf::createQuaternionMsgFromYaw(odom_yaw);
geometry_msgs::Quaternion quat = tf::createQuaternionFromYaw(odom_yaw);
#ifdef _ODOM_PROXY
odom_msg.header.seq++;
odom_msg.header.stamp = nh.now();
odom_msg.pose.position.x = odom_x;
odom_msg.pose.position.y = odom_y;
odom_msg.pose.position.z = 0.0;
odom_msg.pose.orientation.x = quat.x;
odom_msg.pose.orientation.y = quat.y;
odom_msg.pose.orientation.z = quat.z;
odom_msg.pose.orientation.w = quat.w;
odom_msg.twist.linear.x = vx;
odom_msg.twist.linear.y = vy;
odom_msg.twist.linear.z = 0.0;
odom_msg.twist.angular.x = 0.0;
odom_msg.twist.angular.y = 0.0;
odom_msg.twist.angular.z = vyaw;
odom_pub.publish( &odom_msg );
#else
trans_msg.header.seq++;
trans_msg.header.stamp = nh.now();
trans_msg.transform.translation.x = odom_x;
trans_msg.transform.translation.y = odom_y;
trans_msg.transform.translation.z = 0.0;
trans_msg.transform.rotation = quat;
broadcaster.sendTransform(trans_msg);
odom_msg.header.seq++;
odom_msg.header.stamp = nh.now();
odom_msg.pose.pose.position.x = odom_x;
odom_msg.pose.pose.position.y = odom_y;
odom_msg.pose.pose.position.z = 0.0;
odom_msg.pose.pose.orientation = quat;
odom_msg.twist.twist.linear.x = vx;
odom_msg.twist.twist.linear.y = vy;
odom_msg.twist.twist.linear.z = 0.0;
odom_msg.twist.twist.angular.x = 0.0;
odom_msg.twist.twist.angular.y = 0.0;
odom_msg.twist.twist.angular.z = vyaw;
odom_pub.publish( &odom_msg );
#endif
}
| [
"[email protected]"
] | |
f098a0e3fb87bebeba5c54d8d0696a452e23d415 | d1aa9ceb70f8fc19f2a33b55bbfebba33898eeb6 | /examples/frcserver/timed.cpp | e4d6da61ef4ab45a6d031ab6c8bee0d912607635 | [
"LicenseRef-scancode-unknown-license-reference",
"BSD-2-Clause"
] | permissive | NorthernForce/ssobjects | ce26fb334733f2705c057f040ded5f18354bea9f | d479c243b662901506776563285f4d0ed70b56b9 | refs/heads/master | 2021-01-15T19:59:16.000321 | 2013-03-12T23:23:34 | 2013-03-12T23:23:34 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,147 | cpp | #include "timed.h"
Timed::Timed(unsigned long delayms)
: m_timer(0),
m_delay(delayms),
m_active(true),
m_stopwatch()
{
m_stopwatch.start();
m_timer = m_stopwatch.milliseconds();
}
void Timed::setDelay(unsigned long delayms)
{
unsigned long now = m_stopwatch.milliseconds();
m_delay = delayms;
m_timer = now+m_delay;
}
bool Timed::update()
{
return update(m_stopwatch.milliseconds());
}
bool Timed::update(unsigned long now)
{
if((long)(now-m_timer)>=0 && m_active)
{
m_timer = now+m_delay;
fire(now);
return true;
}
return false;
}
void Timed::stop()
{
m_active=false;
}
void Timed::start()
{
m_active=true;
}
void Timed::reset()
{
m_timer = m_stopwatch.milliseconds()+m_delay;
}
void Timed::fire(unsigned long now)
{
//do nothing
}
long Timed::mins(unsigned long now)
{
return now/1000/60;
}
long Timed::secs(unsigned long now)
{
long mins=now/1000/60;
return now/1000-mins*60;
}
long Timed::tenth(unsigned long now)
{
long mins=now/1000/60;
long secs=now/1000-mins*60;
return (now-(mins*60+secs)*1000)/100;
}
| [
"[email protected]"
] | |
3b58385903897f1b95fb08b5f2c569738f4a9cc9 | e24d64cfa72bca0909eba170978e5d76fdcbdc47 | /PhotonTiming/PhotonAreaDistributions_3.cpp | 8aac520abe3c346ecc4935427ecf6755d4a336fe | [] | no_license | bglenardo/WaveformSimulation | 2512e9856e77568ccdc03deac8638bcc911a4cec | cab2eb3c1a39c8d8a6cedd934e7f021c41e88613 | refs/heads/master | 2021-01-11T05:54:03.507144 | 2017-06-05T18:39:21 | 2017-06-05T18:39:21 | 69,810,099 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,503 | cpp | ///////////////////////////////////////////////////////////////////////////////////////
//
// PhotonAreaDistributions.cpp
//
// 2015-07-14 - Initial submission. (Rose)
//
// 2015-07-31 - Added "delete" commands for the TF1's that we're creating, so they
// don't hang around in memory. (Brian L.)
// 2015-09-02 - Added a Baseline_area_PDF() to constrain baseline fits.
//
///////////////////////////////////////////////////////////////////////////////////////
#include <cmath>
#include <iostream>
#include <vector>
#include "SPEparameters.h"
#include "TF1.h"
#include "TMath.h"
using namespace std;
// Global variables
double spe_mu = 0.8327873877969729;
double spe_sig = 0.35;
double sqrt2 = TMath::Sqrt(2);
double pi = TMath::Pi();
double sqrt2pi = TMath::Sqrt(2*pi);
/////////////////////////////////////////////////////////////////////////////////
//
// Baseline_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double Baseline_area_PDF(double peak_area_phe) {
TF1 * baselineFit = new TF1("baselineFit","gaus(0) + gaus(3)",-10.,100.);
baselineFit->SetParameters(1.3437,-0.002051,0.1721,0.577,0.03223,0.2903);
double y = baselineFit->Eval(peak_area_phe);
delete baselineFit;
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// SPE_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double SPE_area_PDF(double peak_area_phe) {
double y = 0.8/spe_sig/sqrt2pi*TMath::Exp( -TMath::Power( (peak_area_phe-spe_mu)/spe_sig, 2.)*0.5 ) +
0.2/spe_sig/sqrt2pi/sqrt2*TMath::Exp( -TMath::Power( (peak_area_phe-2*spe_mu)/(sqrt2 * spe_sig), 2. )*0.5 );
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// SPE_area_CDF (Brian)
//
/////////////////////////////////////////////////////////////////////////////////
double SPE_area_CDF(double x) {
double y =
0.8/spe_sig/sqrt2pi /(2*sqrt2/sqrt2pi) * sqrt2 * spe_sig *
(TMath::Erf( (x - spe_mu)/spe_sig ) + TMath::Erf( spe_mu/spe_sig ) ) +
0.2/spe_sig/sqrt2pi/sqrt2 /(2*sqrt2/sqrt2pi) * 2. * spe_sig *
(TMath::Erf( (x - 2*spe_mu)/(sqrt2*spe_sig) ) + TMath::Erf( 2*spe_mu/spe_sig/sqrt2 ) );
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// SPE_area_PDF_int (Brian)
//
/////////////////////////////////////////////////////////////////////////////////
double SPE_area_CDF_int(double a, double b) {
return SPE_area_CDF(b) - SPE_area_CDF(a);
}
/////////////////////////////////////////////////////////////////////////////////
//
// DPE_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double DPE_area_PDF(double peak_area_phe) {
double y =
0.8*0.8 /spe_sig/sqrt2pi/sqrt2 *
TMath::Exp( -TMath::Power( (peak_area_phe-2*spe_mu)/(sqrt2*spe_sig), 2.)*0.5 ) +
2 * 0.8 * 0.2 /spe_sig/sqrt2pi/TMath::Sqrt(3) *
TMath::Exp( - TMath::Power( (peak_area_phe-3*spe_mu)/(TMath::Sqrt(3)*spe_sig), 2.)*0.5 ) +
0.2*0.2 /spe_sig/sqrt2pi/2. *
TMath::Exp( - TMath::Power( (peak_area_phe - 4*spe_mu)/(4*spe_sig), 2.)*0.5);
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// TPE_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double TPE_area_PDF(double peak_area_phe) {
double y =
0.8*0.8*0.8 /spe_sig/sqrt2pi/TMath::Sqrt(3) *
TMath::Exp( -TMath::Power( (peak_area_phe-3*spe_mu)/(TMath::Sqrt(3)*spe_sig), 2.)*0.5 ) +
3 * 0.8 * 0.8 * 0.2 /spe_sig/sqrt2pi/TMath::Sqrt(4) *
TMath::Exp( -TMath::Power( (peak_area_phe-4*spe_mu)/(TMath::Sqrt(4)*spe_sig), 2.)*0.5 ) +
3 * 0.8 * 0.2 * 0.2 / spe_sig/sqrt2pi/TMath::Sqrt(5) *
TMath::Exp( -TMath::Power( (peak_area_phe-5*spe_mu)/(TMath::Sqrt(5)*spe_sig), 2.)*0.5 ) +
0.2*0.2*0.2 / spe_sig/sqrt2pi/TMath::Sqrt(6) *
TMath::Exp( -TMath::Power( (peak_area_phe-6*spe_mu)/(TMath::Sqrt(6)*spe_sig), 2.)*0.5 );
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// QPE_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double QPE_area_PDF(double peak_area_phe, int channel) {
double y =
0.8*0.8*0.8*0.8 / spe_sig/sqrt2pi/TMath::Sqrt(4.) *
TMath::Exp( -TMath::Power( (peak_area_phe-4*spe_mu)/(TMath::Sqrt(4)*spe_sig), 2.)*0.5 ) +
4 * 0.8 * 0.8 * 0.8 * 0.2/spe_sig/sqrt2pi/TMath::Sqrt(5.) *
TMath::Exp( -TMath::Power( (peak_area_phe-5*spe_mu)/(TMath::Sqrt(5)*spe_sig), 2.)*0.5 ) +
6 * 0.8 * 0.8 * 0.2 * 0.2/spe_sig/sqrt2pi/TMath::Sqrt(6.) *
TMath::Exp( -TMath::Power( (peak_area_phe-6*spe_mu)/(TMath::Sqrt(6)*spe_sig), 2.)*0.5 ) +
4 * 0.8 * 0.2 * 0.2 * 0.2/spe_sig/sqrt2pi/TMath::Sqrt(7.) *
TMath::Exp( -TMath::Power( (peak_area_phe-7*spe_mu)/(TMath::Sqrt(7)*spe_sig), 2.)*0.5 ) +
0.2*0.2*0.2*0.2 / spe_sig/sqrt2pi/TMath::Sqrt(8.) *
TMath::Exp( -TMath::Power( (peak_area_phe-8*spe_mu)/(TMath::Sqrt(8)*spe_sig), 2.)*0.5 );
return y;
}
/////////////////////////////////////////////////////////////////////////////////
//
// QIPE_area_PDF (Rose)
//
/////////////////////////////////////////////////////////////////////////////////
double QIPE_area_PDF(double peak_area_phe, int channel) {
double y =
0.8*0.8*0.8*0.8*0.8 / spe_sig/sqrt2pi/TMath::Sqrt(5.) *
TMath::Exp( -TMath::Power( (peak_area_phe-5*spe_mu)/(TMath::Sqrt(5)*spe_sig), 2.)*0.5 ) +
5 * 0.8 * 0.8 * 0.8 * 0.8 * 0.2 /spe_sig/sqrt2pi/TMath::Sqrt(6.)*
TMath::Exp( -TMath::Power( (peak_area_phe-6*spe_mu)/(TMath::Sqrt(6)*spe_sig), 2.)*0.5 ) +
10 * 0.8 * 0.8 * 0.8 * 0.2 * 0.2 /spe_sig/sqrt2pi/TMath::Sqrt(7.)*
TMath::Exp( -TMath::Power( (peak_area_phe-7*spe_mu)/(TMath::Sqrt(7)*spe_sig), 2.)*0.5 ) +
10 * 0.8 * 0.8 * 0.2 * 0.2 * 0.2 / spe_sig/sqrt2pi/TMath::Sqrt(8.)*
TMath::Exp( -TMath::Power( (peak_area_phe-8*spe_mu)/(TMath::Sqrt(8)*spe_sig), 2.)*0.5 ) +
5 * 0.8 * 0.2 * 0.2 * 0.2 * 0.2 / spe_sig/sqrt2pi/TMath::Sqrt(9.)*
TMath::Exp( -TMath::Power( (peak_area_phe-9*spe_mu)/(TMath::Sqrt(9)*spe_sig), 2.)*0.5 ) +
0.2*0.2*0.2*0.2*0.2 / spe_sig/sqrt2pi/TMath::Sqrt(10.)*
TMath::Exp( -TMath::Power( (peak_area_phe-10*spe_mu)/(TMath::Sqrt(10)*spe_sig), 2.)*0.5 );
return y;
}
| [
"[email protected]"
] | |
c743ea835f72d019e9b12b66d223b63d70af4f70 | 268108c8d18f0087551af09b78211584efb9ae17 | /open-MPI codes/Poisson_GaussSeidel.cpp | 99ddb4511921f4156e88b424f1a860d8f1aa452f | [] | no_license | rudranshj/Parallel-Computing | 3988758b56a62ba9604d1db3fcd0f902a2248ab3 | 9ba2f7c70e63546a5c53bfadd924a63c7a1d9bd0 | refs/heads/main | 2023-05-11T01:36:47.911051 | 2021-06-04T17:56:25 | 2021-06-04T17:56:25 | 362,931,083 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,068 | cpp | // Gauss-Seidel : Red-Black coloring approach
// Author: Rudransh Jaiswal
#include <iostream>
#include <mpi.h>
#include <math.h>
using namespace std;
double fq(double x, double y){
return 2*(2 - x*x - y*y);
}
double phi_calc(double x, double y){
return (pow(x,2)-1)*(pow(y,2)-1);
}
int main(int argc, char** argv){
int myid,size,n,n_iters;
double *Phi_local,*Phi,*qvals,d, *Phi_final,*Phi_exact,tol,tot_tol,eps,start_t,end_t;
MPI_Status status;
MPI_Init(&argc, &argv);
MPI_Comm_size(MPI_COMM_WORLD, &size);
MPI_Comm_rank(MPI_COMM_WORLD, &myid);
n=22; // n should be of the form size*k+2; size=no of processes
d=2.0/(n-1);
n_iters=0;
eps=0.01;
tot_tol=0.0;
if(size==1 || (n-2)%size > 0){
if(myid==0){
cout<<"Value Error: Ensure that (n-2)%n_procs = 0 and n_procs>1, here n="<<n<<", n_procs="<<size<<endl;
cout<<" Please set n and n_procs accordingly"<<endl;
if(size==1){cout<<" for n_procs=1 run GS_red_black_serial.cpp"<<endl; }
cout<<" Quitting..."<<endl;
}
MPI_Finalize();
return 0;
}
if(myid==0){
start_t=MPI_Wtime();
}
qvals=(double*)malloc((n*(n-2)/size)*n*sizeof(double)); //only local
Phi_exact=(double*)malloc((n*(n-2)/size)*n*sizeof(double));
for(int i=0; i<(n-2)/size; i++){
int i1=i+1+myid*(n-2)/size;
for(int j=0; j<n; j++){
qvals[i*n+j] = fq(-1+i1*d,-1+j*d);
Phi_exact[i*n + j] = phi_calc(-1+i1*d,-1+j*d);
}
}
Phi=(double*)malloc(n*(2 + ((n-2)/size) )*sizeof(double));
for(int i=0; i<(2 + (n-2)/size); i++){
for(int j=0; j<n; j++){
Phi[i*n+j]=0.0;
}
}
Phi_local=(double*)malloc((n*(n-2)/size)*sizeof(double)); //only local, temp. stores the new values
for(int i=0; i<n*(n-2)/size; i++){
Phi_local[i]=0.0;
}
// MAIN ALGORITHM
while(n_iters==0 or tot_tol>eps){
tol=0.0;
// first red (i+j)%2 > 0 and then black points
if(n_iters>0){
MPI_Recv(Phi+n,n*(n-2)/size,MPI_DOUBLE,myid,0,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self
if(myid==0){
MPI_Recv(Phi+n*(1+(n-2)/size),n,MPI_DOUBLE,myid+1,2,MPI_COMM_WORLD,MPI_STATUS_IGNORE);
}
else if(myid==size-1){
MPI_Recv(Phi,n,MPI_DOUBLE,myid-1,1,MPI_COMM_WORLD,MPI_STATUS_IGNORE);
}
else{
MPI_Recv(Phi,n,MPI_DOUBLE,myid-1,1,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self-1
MPI_Recv(Phi+n*(1+(n-2)/size),n,MPI_DOUBLE,myid+1,2,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self
}
}
for(int i=0; i<(n-2)/size; i++){
for(int j=1; j<n-1; j++){ //0 for j=0 or j=n-1
if(((n-2)/size + myid +i +j)%2 > 0){
Phi_local[i*n+j]= 0.25*(Phi[(i+2)*n+j] + Phi[i*n+j] + Phi[(i+1)*n+j+1] + Phi[(i+1)*n+j-1] + d*d*qvals[i*n+j]);
tol += pow(Phi_local[i*n+j]-Phi_exact[i*n + j], 2);
}
}
}
MPI_Send(Phi_local,n*(n-2)/size,MPI_DOUBLE,myid,0,MPI_COMM_WORLD); //to same process
if(myid>0){MPI_Send(Phi_local,n,MPI_DOUBLE,myid-1,2,MPI_COMM_WORLD);} //to previous process
if(myid<size-1){MPI_Send(Phi_local+n*(-1 + (n-2)/size),n,MPI_DOUBLE,myid+1,1,MPI_COMM_WORLD);} //to next process
MPI_Recv(Phi+n,n*(n-2)/size,MPI_DOUBLE,myid,0,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self
if(myid==0){
MPI_Recv(Phi+n*(1+(n-2)/size),n,MPI_DOUBLE,myid+1,2,MPI_COMM_WORLD,MPI_STATUS_IGNORE);
}
else if(myid==size-1){
MPI_Recv(Phi,n,MPI_DOUBLE,myid-1,1,MPI_COMM_WORLD,MPI_STATUS_IGNORE);
}
else{
MPI_Recv(Phi,n,MPI_DOUBLE,myid-1,1,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self-1
MPI_Recv(Phi+n*(1+(n-2)/size),n,MPI_DOUBLE,myid+1,2,MPI_COMM_WORLD,MPI_STATUS_IGNORE); //from Phi_local of self
}
// black points now
for(int i=0; i<(n-2)/size; i++){
for(int j=1; j<n-1; j++){ //0 for j=0 or j=n-1
if(((n-2)/size + myid +i +j)%2 == 0){
Phi_local[i*n+j]= 0.25*(Phi[(i+2)*n+j] + Phi[i*n+j] + Phi[(i+1)*n+j+1] + Phi[(i+1)*n+j-1] + d*d*qvals[i*n+j]);
tol += pow(Phi_local[i*n+j]-Phi_exact[i*n + j], 2);
}
}
}
MPI_Send(Phi_local,n*(n-2)/size,MPI_DOUBLE,myid,0,MPI_COMM_WORLD); //to same process
if(myid>0){MPI_Send(Phi_local,n,MPI_DOUBLE,myid-1,2,MPI_COMM_WORLD);} //to previous process
if(myid<size-1){MPI_Send(Phi_local+n*(-1 + (n-2)/size),n,MPI_DOUBLE,myid+1,1,MPI_COMM_WORLD);} //to next process
MPI_Allreduce(&tol, &tot_tol, 1, MPI_DOUBLE, MPI_SUM, MPI_COMM_WORLD);
n_iters+=1;
// if(myid==0){cout<<"n_iters, tot_tol: "<<n_iters<<", "<<tot_tol<<endl;}
}
MPI_Barrier(MPI_COMM_WORLD);
if(myid==0){
Phi_final=(double*)malloc((n*n)*sizeof(double));
for(int i=0; i<n; i++){
Phi_final[i]=0.0;
Phi_final[n*n-i-1]=0.0;
}
}
MPI_Gather(Phi+n,n*(n-2)/size,MPI_DOUBLE,Phi_final+n,n*(n-2)/size,MPI_DOUBLE,0,MPI_COMM_WORLD);
if(myid==0){
end_t = MPI_Wtime();
cout<<"For n = "<<n<<", delta = "<<d<<", n_procs = "<<size<<endl;
cout<<" n_iters: "<<n_iters<<endl;
cout<<" Time of Execution: "<<end_t-start_t<<"s"<<endl;
// cout<<" Time of execution: "<<toe<<endl;
// cout<<"Value of Phi(0.52381,y): "<<endl;
// for(int i=0; i<n; i++){
// cout<<Phi_final[i*n +16]<<", ";
// }
// cout<<endl;
}
MPI_Finalize();
return 1;
}
| [
"[email protected]"
] | |
c9d35f422d65657856c27ce2cfa0c29ad68755bc | 6b2a8dd202fdce77c971c412717e305e1caaac51 | /solutions_1483488_0/C++/brucetong/gcj2012qrc.cpp | ceb35dcdd9e2a51e4ca9799c8c0fa9d3030226cb | [] | no_license | alexandraback/datacollection | 0bc67a9ace00abbc843f4912562f3a064992e0e9 | 076a7bc7693f3abf07bfdbdac838cb4ef65ccfcf | refs/heads/master | 2021-01-24T18:27:24.417992 | 2017-05-23T09:23:38 | 2017-05-23T09:23:38 | 84,313,442 | 2 | 4 | null | null | null | null | UTF-8 | C++ | false | false | 2,200 | cpp | //Problem: GCJ 2012 Qualification Round C
//Name: Recycled Numbers
//Author: Bruce K. B. Tong
#include <iostream>
#include <algorithm>
using namespace std;
#define SMALL
//#define LARGE
#define MAX 2000000
int rotation[MAX+1];
int multipier[7+1] = {0, 1, 10, 100, 1000, 10000, 100000, 1000000};
int digit[7+1] = {0, 9, 99, 999, 9999, 99999, 999999, 9999999};
//return the number of digits of number a
int digits(int a) {
return lower_bound(digit, digit+7+1, a) - digit;
/*
int count = 0;
while (a > 0) {
a /= 10;
count++;
}
return count;
*/
}
int rotate(int a, int digits, int &r) {
//return the rotated a: 12345 -> 51234
int q;
q = a / 10;
r = a % 10;
r *= multipier[digits];
return r + q;
}
void init(int rotation[]) {
int a, d, r, key;
for (int i = 1; i <= MAX; i++) {
if (rotation[i] != -1) continue;
d = digits(i);
key = a = i;
for (int j = 0; j < d; j++) {
a = rotate(a, d, r); //e.g. rotation[12345] = 51234
if (r != 0 && a <= MAX) { //r == 0 means rotated a has leading zero
rotation[key] = a;
key = a;
}
}
}
/* post-condition:
r[key] = a
r[12345] = 51234 r[1020] = 102 (ignore)
r[51234] = 45123 r[1020] = 2010
r[45123] = 34512 r[2010] = 201 (ignore)
r[34512] = 23451 r[2010] = 1020
r[23451] = 12345
*/
}
int compute(int A, int B) {
int count = 0;
int m, x;
for (int n = A; n <= B; n++) {
if (rotation[n] != n) {
x = n;
while (rotation[x] != n) {
m = rotation[x];
if (n < m && m <= B) count++;
x = m;
}
}
}
return count;
}
int main() {
freopen("C-sample.in", "rt", stdin);
#ifdef SMALL
freopen("C-small-attempt0.in", "rt", stdin);
freopen("C-small-attempt0.out", "wt", stdout);
#endif
#ifdef LARGE
freopen("C-large.in", "rt", stdin);
freopen("C-large.out", "wt", stdout);
#endif
int T; //1 <= T <= 50
int A, B; //1 <= A, B <= 1,000 (or 2,000,000)
memset(rotation, ~0, sizeof(rotation)); //init all to -1
init(rotation);
cin >> T;
for (int i = 1; i <= T; i++) {
cin >> A >> B;
cout << "Case #" << i << ": ";
cout << compute(A, B) << endl;
}
return 0;
} | [
"[email protected]"
] | |
35800ee3f42b7e75818376dcf4fb0f50eece245a | b1bf17201149ba0a8b865e425fef5e3369b04260 | /llvm/lib/DebugInfo/PDB/PDBSymbolFuncDebugEnd.cpp | 589738dd8746fdcf794ca1c40387aede279f06cb | [
"NCSA"
] | permissive | cya410/llvm | 788288b9989de58e1b7a05c5ab9490099c7c3920 | a6a751eb63eaea13a427ea33365dade739842453 | refs/heads/master | 2016-09-06T12:38:02.151281 | 2015-03-16T16:09:18 | 2015-03-16T16:09:18 | 30,787,046 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 777 | cpp | //===- PDBSymbolFuncDebugEnd.cpp - ------------------------------*- C++ -*-===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
#include "llvm/DebugInfo/PDB/PDBSymbol.h"
#include "llvm/DebugInfo/PDB/PDBSymbolFuncDebugEnd.h"
#include <utility>
using namespace llvm;
PDBSymbolFuncDebugEnd::PDBSymbolFuncDebugEnd(
const IPDBSession &PDBSession, std::unique_ptr<IPDBRawSymbol> Symbol)
: PDBSymbol(PDBSession, std::move(Symbol)) {}
void PDBSymbolFuncDebugEnd::dump(raw_ostream &OS, int Indent,
PDB_DumpLevel Level) const {}
| [
"[email protected]"
] | |
0d43d3872c11a3913824e7753738f2b7174ebe91 | 600df3590cce1fe49b9a96e9ca5b5242884a2a70 | /third_party/pdfium/core/fpdfapi/cmaps/fpdf_cmaps.cpp | ca01d431f4da862a1d329398359b1faa231604a2 | [
"LGPL-2.0-or-later",
"GPL-1.0-or-later",
"MIT",
"Apache-2.0",
"BSD-3-Clause"
] | permissive | metux/chromium-suckless | efd087ba4f4070a6caac5bfbfb0f7a4e2f3c438a | 72a05af97787001756bae2511b7985e61498c965 | refs/heads/orig | 2022-12-04T23:53:58.681218 | 2017-04-30T10:59:06 | 2017-04-30T23:35:58 | 89,884,931 | 5 | 3 | BSD-3-Clause | 2022-11-23T20:52:53 | 2017-05-01T00:09:08 | null | UTF-8 | C++ | false | false | 4,662 | cpp | // Copyright 2014 PDFium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// Original code copyright 2014 Foxit Software Inc. http://www.foxitsoftware.com
#include "core/fpdfapi/cmaps/cmap_int.h"
#include "core/fpdfapi/cpdf_modulemgr.h"
#include "core/fpdfapi/font/font_int.h"
#include "core/fpdfapi/page/cpdf_pagemodule.h"
extern "C" {
static int compareWord(const void* p1, const void* p2) {
return (*(uint16_t*)p1) - (*(uint16_t*)p2);
}
static int compareWordRange(const void* key, const void* element) {
if (*(uint16_t*)key < *(uint16_t*)element)
return -1;
if (*(uint16_t*)key > ((uint16_t*)element)[1])
return 1;
return 0;
}
static int compareDWordRange(const void* p1, const void* p2) {
uint32_t key = *(uint32_t*)p1;
uint16_t hiword = (uint16_t)(key >> 16);
uint16_t* element = (uint16_t*)p2;
if (hiword < element[0])
return -1;
if (hiword > element[0])
return 1;
uint16_t loword = (uint16_t)key;
if (loword < element[1])
return -1;
if (loword > element[2])
return 1;
return 0;
}
static int compareDWordSingle(const void* p1, const void* p2) {
uint32_t key = *(uint32_t*)p1;
uint32_t value = ((*(uint16_t*)p2) << 16) | ((uint16_t*)p2)[1];
if (key < value)
return -1;
if (key > value)
return 1;
return 0;
}
}; // extern "C"
void FPDFAPI_FindEmbeddedCMap(const CFX_ByteString& bsName,
int charset,
int coding,
const FXCMAP_CMap*& pMap) {
pMap = nullptr;
CPDF_FontGlobals* pFontGlobals =
CPDF_ModuleMgr::Get()->GetPageModule()->GetFontGlobals();
const FXCMAP_CMap* pCMaps =
pFontGlobals->m_EmbeddedCharsets[charset].m_pMapList;
for (uint32_t i = 0; i < pFontGlobals->m_EmbeddedCharsets[charset].m_Count;
i++) {
if (bsName == pCMaps[i].m_Name) {
pMap = &pCMaps[i];
break;
}
}
}
uint16_t FPDFAPI_CIDFromCharCode(const FXCMAP_CMap* pMap, uint32_t charcode) {
if (charcode >> 16) {
while (1) {
if (pMap->m_DWordMapType == FXCMAP_CMap::Range) {
uint16_t* found = static_cast<uint16_t*>(
FXSYS_bsearch(&charcode, pMap->m_pDWordMap, pMap->m_DWordCount, 8,
compareDWordRange));
if (found)
return found[3] + (uint16_t)charcode - found[1];
} else if (pMap->m_DWordMapType == FXCMAP_CMap::Single) {
uint16_t* found = static_cast<uint16_t*>(
FXSYS_bsearch(&charcode, pMap->m_pDWordMap, pMap->m_DWordCount, 6,
compareDWordSingle));
if (found)
return found[2];
}
if (pMap->m_UseOffset == 0)
return 0;
pMap = pMap + pMap->m_UseOffset;
}
return 0;
}
uint16_t code = (uint16_t)charcode;
while (1) {
if (!pMap->m_pWordMap)
return 0;
if (pMap->m_WordMapType == FXCMAP_CMap::Single) {
uint16_t* found = static_cast<uint16_t*>(FXSYS_bsearch(
&code, pMap->m_pWordMap, pMap->m_WordCount, 4, compareWord));
if (found)
return found[1];
} else if (pMap->m_WordMapType == FXCMAP_CMap::Range) {
uint16_t* found = static_cast<uint16_t*>(FXSYS_bsearch(
&code, pMap->m_pWordMap, pMap->m_WordCount, 6, compareWordRange));
if (found)
return found[2] + code - found[0];
}
if (pMap->m_UseOffset == 0)
return 0;
pMap = pMap + pMap->m_UseOffset;
}
return 0;
}
uint32_t FPDFAPI_CharCodeFromCID(const FXCMAP_CMap* pMap, uint16_t cid) {
// TODO(dsinclair): This should be checking both pMap->m_WordMap and
// pMap->m_DWordMap. There was a second while() but it was never reached as
// the first always returns. Investigate and determine how this should
// really be working. (https://codereview.chromium.org/2235743003 removed the
// second while loop.)
while (1) {
if (pMap->m_WordMapType == FXCMAP_CMap::Single) {
const uint16_t* pCur = pMap->m_pWordMap;
const uint16_t* pEnd = pMap->m_pWordMap + pMap->m_WordCount * 2;
while (pCur < pEnd) {
if (pCur[1] == cid)
return pCur[0];
pCur += 2;
}
} else if (pMap->m_WordMapType == FXCMAP_CMap::Range) {
const uint16_t* pCur = pMap->m_pWordMap;
const uint16_t* pEnd = pMap->m_pWordMap + pMap->m_WordCount * 3;
while (pCur < pEnd) {
if (cid >= pCur[2] && cid <= pCur[2] + pCur[1] - pCur[0])
return pCur[0] + cid - pCur[2];
pCur += 3;
}
}
if (pMap->m_UseOffset == 0)
return 0;
pMap = pMap + pMap->m_UseOffset;
}
}
| [
"[email protected]"
] | |
66fc599448862a81d9a50cbcf8ec774880ae4057 | 48b193a73ef5678fa7457285fe5e74494af79b9f | /hsed/hsed/token.h | 034097e986cc60540ed22c52ca80695628d86ed5 | [
"MIT"
] | permissive | dolphilia/machsp | d61da8c9c7131cf11a19efaf337227d0e6dc6711 | 843d5f5b2915c119090c10b73ab6dd4591984f31 | refs/heads/master | 2023-08-08T11:55:25.013212 | 2023-07-20T04:00:37 | 2023-07-20T04:00:37 | 144,228,252 | 13 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 15,168 | h |
//
// token.cpp structures
//
#ifndef __token_h
#define __token_h
#include <vector>
#include <string>
#include <map>
#include <memory>
// token type
#define TK_NONE 0
#define TK_OBJ 1
#define TK_STRING 2
#define TK_DNUM 3
#define TK_NUM 4
#define TK_CODE 6
#define TK_LABEL 7
#define TK_VOID 0x1000
#define TK_SEPARATE 0x1001
#define TK_EOL 0x1002
#define TK_EOF 0x1003
#define TK_ERROR -1
#define TK_CALCERROR -2
#define TK_CALCSTOP -3
#define DUMPMODE_RESCMD 3
#define DUMPMODE_DLLCMD 4
#define DUMPMODE_ALL 15
#define CMPMODE_PPOUT 1
#define CMPMODE_OPTCODE 2
#define CMPMODE_CASE 4
#define CMPMODE_OPTINFO 8
#define CMPMODE_PUTVARS 16
#define CMPMODE_VARINIT 32
#define CMPMODE_OPTPRM 64
#define CMPMODE_SKIPJPSPC 128
#define CG_FLAG_ENABLE 0
#define CG_FLAG_DISABLE 1
#define CG_LASTCMD_NONE 0
#define CG_LASTCMD_LET 1
#define CG_LASTCMD_CMD 2
#define CG_LASTCMD_CMDIF 3
#define CG_LASTCMD_CMDMIF 4
#define CG_LASTCMD_CMDELSE 5
#define CG_LASTCMD_CMDMELSE 6
#define CG_IFLEV_MAX 128
#define CG_REPLEV_MAX 128
// option for 'GetTokenCG'
#define GETTOKEN_DEFAULT 0
#define GETTOKEN_NOFLOAT 1 // '.'を小数点と見なさない(整数のみ取得)
#define GETTOKEN_LABEL 2 // '*'に続く名前をラベルとして取得
#define GETTOKEN_EXPRBEG 4 // 式の先頭
#define CG_LOCALSTRUCT_MAX 256
#define CG_IFCHECK_SCOPE 0
#define CG_IFCHECK_LINE 1
#define CG_LIBMODE_NONE -1
#define CG_LIBMODE_DLL 0
#define CG_LIBMODE_DLLNEW 1
#define CG_LIBMODE_COM 2
#define CG_LIBMODE_COMNEW 3
#define CALCVAR double
#define LINEBUF_MAX 0x10000
// line mode type
#define LMODE_ON 0
#define LMODE_STR 1
#define LMODE_COMMENT 2
#define LMODE_OFF 3
// macro default data storage
typedef struct MACDEF {
int index[32]; // offset to data
char data[1];
} MACDEF;
// module related define
#define OBJNAME_MAX 60
#define MODNAME_MAX 20
#define COMP_MODE_DEBUG 1
#define COMP_MODE_DEBUGWIN 2
#define COMP_MODE_UTF8 4
#define SWSTACK_MAX 32
#define HEDINFO_RUNTIME 0x1000 // 動的ランタイムを有効にする
#define HEDINFO_NOMMTIMER 0x2000 // マルチメディアタイマーを無効にする
#define HEDINFO_NOGDIP 0x4000 // GDI+による描画を無効にする
#define HEDINFO_FLOAT32 0x8000 // 実数を32bit floatとして処理する
#define HEDINFO_ORGRND 0x10000 // 標準の乱数発生を使用する
enum ppresult_t {
PPRESULT_SUCCESS, // 成功
PPRESULT_ERROR, // エラー
PPRESULT_UNKNOWN_DIRECTIVE, // 不明なプリプロセッサ命令(PreprocessNM)
PPRESULT_INCLUDED, // #include された
PPRESULT_WROTE_LINE, // 1行書き込まれた
PPRESULT_WROTE_LINES, // 2行以上書き込まれた
};
class CLabel;
class CMemBuf;
class CTagStack;
class CStrNote;
class AHTMODEL;
#define SCNVBUF_DEFAULTSIZE 0x8000
#define SCNV_OPT_NONE 0
#define SCNV_OPT_SJISUTF8 1
// token analysis class
class CToken {
public:
CToken();
CToken(char *buf);
~CToken();
CLabel *GetLabelInfo(void);
void SetLabelInfo(CLabel *lbinfo);
//void InitSCNV( int size );
//char *ExecSCNV( char *srcbuf, int opt );
void Error(char *mes);
void LineError(char *mes, int line, char *fname);
void SetError(char *mes);
void Mes(char *mes);
void Mesf(char *format, ...);
void SetErrorBuf(CMemBuf *buf);
void SetAHT(AHTMODEL *aht);
void SetAHTBuffer(CMemBuf *aht);
void ResetCompiler(void);
int GetToken(void);
int PeekToken(void);
int Calc(CALCVAR &val);
char *CheckValidWord(void);
// For preprocess
//
ppresult_t Preprocess(char *str);
ppresult_t PreprocessNM(char *str);
void PreprocessCommentCheck(char *str);
int ExpandLine(CMemBuf *buf, CMemBuf *src, char *refname);
int ExpandFile(CMemBuf *buf, char *fname, char *refname);
void FinishPreprocess(CMemBuf *buf);
void SetCommonPath(char *path);
int SetAdditionMode(int mode);
void SetLook(char *buf);
char *GetLook(void);
char *GetLookResult(void);
int GetLookResultInt(void);
int LabelRegist(char **list, int mode);
int LabelRegist2(char **list);
int LabelRegist3(char **list);
int LabelDump(CMemBuf *out, int option);
int GetLabelBufferSize(void);
int RegistExtMacroPath(char *name, char *str);
int RegistExtMacro(char *name, char *str);
int RegistExtMacro(char *keyword, int val);
void SetPackfileOut(CMemBuf *pack);
int AddPackfile(char *name, int mode);
void InitSCNV(int size);
char *ExecSCNV(char *srcbuf, int opt);
int CheckByteSJIS(unsigned char byte);
int CheckByteUTF8(unsigned char byte);
int SkipMultiByte(unsigned char byte);
// For Code Generate
//
int GenerateCode(char *fname, char *oname, int mode);
int GenerateCode(CMemBuf *srcbuf, char *oname, int mode);
void PutCS(int type, int value, int exflg);
void PutCSSymbol(int label_id, int exflag);
int GetCS(void);
void PutCS(int type, double value, int exflg);
int PutOT(int value);
int PutDS(double value);
int PutDS(char *str);
int PutDSStr(char *str, bool converts_to_utf8);
int PutDSBuf(char *str);
int PutDSBuf(char *str, int size);
char *GetDS(int ptr);
void SetOT(int id, int value);
void PutDI(void);
void PutDI(int dbg_code, int a, int subid);
void PutDIVars(void);
void PutDILabels(void);
void PutDIParams(void);
void PutHPI(short flag, short option, char *libname, char *funcname);
int PutLIB(int flag, char *name);
void SetLIBIID(int id, char *clsid);
int PutStructParam(short mptype, int extype);
int PutStructParamTag(void);
void PutStructStart(void);
int PutStructEnd(char *name, int libindex, int otindex, int funcflag);
int PutStructEnd(int i, char *name, int libindex, int otindex, int funcflag);
int PutStructEndDll(char *name, int libindex, int subid, int otindex);
void CalcCG(int ex);
int GetHeaderOption(void) {
return hed_option;
}
char *GetHeaderRuntimeName(void) {
return hed_runtime;
}
void SetHeaderOption(int opt, char *name) {
hed_option = opt;
strcpy(hed_runtime, name);
}
int GetCmpOption(void) {
return hed_cmpmode;
}
void SetCmpOption(int cmpmode) {
hed_cmpmode = cmpmode;
}
void SetUTF8Input(int utf8mode) {
pp_utf8 = utf8mode;
}
private:
// For preprocess
//
void Pickstr(void);
char *Pickstr2(char *str);
void Calc_token(void);
void Calc_factor(CALCVAR &v);
void Calc_unary(CALCVAR &v);
void Calc_muldiv(CALCVAR &v);
void Calc_addsub(CALCVAR &v);
void Calc_bool(CALCVAR &v);
void Calc_bool2(CALCVAR &v);
void Calc_compare(CALCVAR &v);
void Calc_start(CALCVAR &v);
ppresult_t PP_Define(void);
ppresult_t PP_Const(void);
ppresult_t PP_Enum(void);
ppresult_t PP_SwitchStart(int sw);
ppresult_t PP_SwitchEnd(void);
ppresult_t PP_SwitchReverse(void);
ppresult_t PP_Include(int is_addition);
ppresult_t PP_Module(void);
ppresult_t PP_Global(void);
ppresult_t PP_Deffunc(int mode);
ppresult_t PP_Defcfunc(int mode);
ppresult_t PP_Struct(void);
ppresult_t PP_Func(char *name);
ppresult_t PP_Cmd(char *name);
ppresult_t PP_Pack(int mode);
ppresult_t PP_PackOpt(void);
ppresult_t PP_RuntimeOpt(void);
ppresult_t PP_CmpOpt(void);
ppresult_t PP_Usecom(void);
ppresult_t PP_Aht(void);
ppresult_t PP_Ahtout(void);
ppresult_t PP_Ahtmes(void);
ppresult_t PP_BootOpt(void);
void SetModuleName(char *name);
char *GetModuleName(void);
void AddModuleName(char *str);
void FixModuleName(char *str);
int IsGlobalMode(void);
int CheckModuleName(char *name);
char *SkipLine(char *str, int *pline);
char *ExpandStr(char *str, int opt);
char *ExpandStrEx(char *str);
char *ExpandStrComment(char *str, int opt);
char *ExpandStrComment2(char *str);
char *ExpandAhtStr(char *str);
char *ExpandBin(char *str, int *val);
char *ExpandHex(char *str, int *val);
char *ExpandToken(char *str, int *type, int ppmode);
int ExpandTokens(char *vp, CMemBuf *buf, int *lineext, int is_preprocess_line);
char *SendLineBuf(char *str);
char *SendLineBufPP(char *str, int *lines);
int ReplaceLineBuf(char *str1, char *str2, char *repl, int macopt, MACDEF *macdef);
void SetErrorSymbolOverdefined(char *keyword, int label_id);
// For Code Generate
//
int GenerateCodeMain(CMemBuf *src);
void RegisterFuncLabels(void);
int GenerateCodeBlock(void);
int GenerateCodeSub(void);
void GenerateCodePP(char *buf);
void GenerateCodeCMD(int id);
void GenerateCodeLET(int id);
void GenerateCodeVAR(int id, int ex);
void GenerateCodePRM(void);
void GenerateCodePRMN(void);
int GenerateCodePRMF(void);
void GenerateCodePRMF2(void);
void GenerateCodePRMF3(void);
int GenerateCodePRMF4(int t);
void GenerateCodeMethod(void);
void GenerateCodeLabel(char *name, int ex);
void GenerateCodePP_regcmd(void);
void GenerateCodePP_cmd(void);
void GenerateCodePP_deffunc0(int is_command);
void GenerateCodePP_deffunc(void);
void GenerateCodePP_defcfunc(void);
void GenerateCodePP_uselib(void);
void GenerateCodePP_module(void);
void GenerateCodePP_struct(void);
void GenerateCodePP_func(int deftype);
void GenerateCodePP_usecom(void);
void GenerateCodePP_comfunc(void);
void GenerateCodePP_defvars(int fixedvalue);
int GetParameterTypeCG(char *name);
int GetParameterStructTypeCG(char *name);
int GetParameterFuncTypeCG(char *name);
int GetParameterResTypeCG(char *name);
char *GetTokenCG(char *str, int option);
char *GetTokenCG(int option);
char *GetSymbolCG(char *str);
char *GetLineCG(void);
char *PickStringCG(char *str, int sep);
char *PickStringCG2(char *str, char **strsrc);
char *PickLongStringCG(char *str);
int PickNextCodeCG(void);
void CheckInternalListenerCMD(int opt);
void CheckInternalProgCMD(int opt, int orgcs);
void CheckInternalIF(int opt);
void CheckCMDIF_Set(int mode);
void CheckCMDIF_Fin(int mode);
int SetVarsFixed(char *varname, int fixedvalue);
void CalcCG_token(void);
void CalcCG_token_exprbeg(void);
void CalcCG_token_exprbeg_redo(void);
void CalcCG_regmark(int mark);
void CalcCG_factor(void);
void CalcCG_unary(void);
void CalcCG_muldiv(void);
void CalcCG_addsub(void);
void CalcCG_shift(void);
void CalcCG_bool(void);
void CalcCG_compare(void);
void CalcCG_start(void);
bool CG_optCode() const {
return (hed_cmpmode & CMPMODE_OPTCODE) != 0;
}
bool CG_optInfo() const {
return (hed_cmpmode & CMPMODE_OPTINFO) != 0;
}
void CG_MesLabelDefinition(int label_id);
// Data
//
CLabel *lb; // label object
CLabel *tmp_lb; // label object (preprocessor reference)
CTagStack *tstack; // tag stack object
CMemBuf *errbuf;
CMemBuf *wrtbuf;
CMemBuf *packbuf;
CMemBuf *ahtbuf;
CStrNote *note;
AHTMODEL *ahtmodel; // AHT process data
char common_path[HSP_MAX_PATH]; // common path
char search_path[HSP_MAX_PATH]; // search path
int line;
int val;
int ttype; // last token type
int texflag;
char *lasttoken; // last token point
float val_f;
double val_d;
double fpbit;
unsigned char *wp;
unsigned char s2[1024];
unsigned char *s3;
char linebuf[LINEBUF_MAX]; // Line expand buffer
char linetmp[LINEBUF_MAX]; // Line expand temp
char errtmp[128]; // temp for error message
char mestmp[128]; // meseage temp
int incinf; // include level
int mulstr; // multiline string flag
short swstack[SWSTACK_MAX]; // generator sw stack (flag)
short swstack2[SWSTACK_MAX]; // generator sw stack (mode)
short swstack3[SWSTACK_MAX]; // generator sw stack (sw)
int swsp; // generator sw stack pointer
int swmode; // generator sw mode (0=if/1=else)
int swlevel; // first stack level ( when off )
int fileadd; // File Addition Mode (1=on)
int swflag; // generator sw enable flag
char *ahtkeyword; // keyword for AHT
char modname[MODNAME_MAX + 2]; // Module Name Prefix
int modgc; // Global counter for Module
int enumgc; // Global counter for Enum
typedef struct undefined_symbol_t {
int pos;
int len_include_modname;
int len;
} undefined_symbol_t;
std::vector<undefined_symbol_t> undefined_symbols;
int cs_lastptr; // パラメーターの初期CS位置
int cs_lasttype; // パラメーターのタイプ(単一時)
int calccount; // パラメーター個数
int pp_utf8; // ソースコードをUTF-8として処理する(0=無効)
// for CodeGenerator
//
int cg_flag;
int cg_debug;
int cg_iflev;
int cg_valcnt;
int cg_typecnt;
int cg_pptype;
int cg_locallabel;
int cg_varhpi;
int cg_putvars;
int cg_defvarfix;
int cg_utf8out;
char *cg_ptr;
char *cg_ptr_bak;
char *cg_str;
unsigned char *cg_wp;
char cg_libname[1024];
int replev;
int repend[CG_REPLEV_MAX];
int iflev;
int iftype[CG_IFLEV_MAX];
int ifmode[CG_IFLEV_MAX];
int ifscope[CG_IFLEV_MAX];
int ifptr[CG_IFLEV_MAX];
int ifterm[CG_IFLEV_MAX];
int cg_lastcmd;
int cg_lasttype;
int cg_lastval;
int cg_lastcs;
CMemBuf *cs_buf;
CMemBuf *ds_buf;
CMemBuf *ot_buf;
CMemBuf *di_buf;
CMemBuf *li_buf;
CMemBuf *fi_buf;
CMemBuf *mi_buf;
CMemBuf *fi2_buf;
CMemBuf *hpi_buf;
#ifdef HSP_DS_POOL
std::map<double, int> double_literal_table; // 定数プール用
std::map<std::string, int> string_literal_table;
#endif
// for Header info
int hed_option;
char hed_runtime[64];
int hed_cmpmode;
int hed_autoopt_timer;
// for Struct
int cg_stnum;
int cg_stsize;
int cg_stptr;
int cg_libindex;
int cg_libmode;
int cg_localstruct[CG_LOCALSTRUCT_MAX];
int cg_localcur;
// for Error
//
int cg_errline;
int cg_orgline;
char cg_orgfile[HSP_MAX_PATH];
// for SCNV
//
char *scnvbuf; // SCNV変換バッファ
int scnvsize; // SCNV変換バッファサイズ
};
#endif
| [
"[email protected]"
] | |
ddda9814301f5489161916f4e53788bd423cb8c8 | 53d292996dda97005d2b592a04aa96ee4d49c0f9 | /bundles/async_remote_services/admin/src/admin.cc | 7dbc6d99bed24da70db4409fa3f0c6ad4807670e | [
"Zlib",
"Apache-2.0",
"BSD-3-Clause",
"MIT"
] | permissive | jimsdog/celix | 3ad30d1e91aeee72529566a5c020035603420b90 | 0ba362c40dc40b1d224696d846ec05a9b2ffd303 | refs/heads/master | 2023-04-06T03:34:36.288909 | 2021-04-09T11:35:10 | 2021-04-09T11:35:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11,858 | cc | /*
* 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.
*/
#include <admin.h>
#include <celix_api.h>
#include <pubsub_message_serialization_service.h>
#include <ConfiguredEndpoint.h>
#define L_DEBUG(...) \
celix_logHelper_log(_logger, CELIX_LOG_LEVEL_DEBUG, __VA_ARGS__)
#define L_INFO(...) \
celix_logHelper_log(_logger, CELIX_LOG_LEVEL_INFO, __VA_ARGS__)
#define L_WARN(...) \
celix_logHelper_log(_logger, CELIX_LOG_LEVEL_WARNING, __VA_ARGS__)
#define L_ERROR(...) \
celix_logHelper_log(_logger, CELIX_LOG_LEVEL_ERROR, __VA_ARGS__)
celix::async_rsa::AsyncAdmin::AsyncAdmin(std::shared_ptr<celix::dm::DependencyManager> &mng) noexcept : _mng(mng), _logger(celix_logHelper_create(mng->bundleContext(), "celix_async_rsa_admin")) {
// C++ version of tracking services without type not possible (yet?)
celix_service_tracking_options_t opts{};
opts.callbackHandle = this;
opts.addWithProperties = [](void *handle, void *svc, const celix_properties_t *props){
auto *admin = static_cast<AsyncAdmin*>(handle);
admin->addService(svc, props);
};
opts.removeWithProperties = [](void *handle, void *svc, const celix_properties_t *props){
auto *admin = static_cast<AsyncAdmin*>(handle);
admin->removeService(svc, props);
};
_serviceTrackerId = celix_bundleContext_trackServicesWithOptions(_mng->bundleContext(), &opts);
if(_serviceTrackerId < 0) {
L_ERROR("couldn't register tracker");
}
}
celix::async_rsa::AsyncAdmin::~AsyncAdmin() {
celix_logHelper_destroy(_logger);
celix_bundleContext_stopTracker(_mng->bundleContext(), _serviceTrackerId);
}
void celix::async_rsa::AsyncAdmin::addEndpoint(celix::rsa::Endpoint* endpoint, [[maybe_unused]] Properties &&properties) {
std::unique_lock l(_m);
addEndpointInternal(*endpoint);
}
void celix::async_rsa::AsyncAdmin::removeEndpoint([[maybe_unused]] celix::rsa::Endpoint* endpoint, [[maybe_unused]] Properties &&properties) {
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_DEBUG("Removing endpoint but no exported interfaces");
return;
}
std::unique_lock l(_m);
_toBeCreatedImportedEndpoints.erase(std::remove_if(_toBeCreatedImportedEndpoints.begin(), _toBeCreatedImportedEndpoints.end(), [&interface](auto const &endpoint){
auto endpointInterface = endpoint.getProperties().get(ENDPOINT_EXPORTS);
return !endpointInterface.empty() && endpointInterface == interface;
}), _toBeCreatedImportedEndpoints.end());
auto svcId = properties.get(ENDPOINT_IDENTIFIER);
if(svcId.empty()) {
L_DEBUG("Removing endpoint but no service instance");
return;
}
auto instanceIt = _importedServiceInstances.find(svcId);
if(instanceIt == end(_importedServiceInstances)) {
return;
}
_mng->destroyComponent(instanceIt->second);
_importedServiceInstances.erase(instanceIt);
}
void celix::async_rsa::AsyncAdmin::addImportedServiceFactory(celix::async_rsa::IImportedServiceFactory *factory, Properties &&properties) {
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_DEBUG("Adding service factory but no exported interfaces");
return;
}
std::unique_lock l(_m);
auto existingFactory = _importedServiceFactories.find(interface);
if(existingFactory != end(_importedServiceFactories)) {
L_WARN("Adding imported factory but factory already exists");
return;
}
_importedServiceFactories.emplace(interface, factory);
for(auto it = _toBeCreatedImportedEndpoints.begin(); it != _toBeCreatedImportedEndpoints.end();) {
auto tbceInterface = it->getProperties().get(ENDPOINT_EXPORTS);
if(tbceInterface.empty() || tbceInterface != interface) {
it++;
} else {
addEndpointInternal(*it);
_toBeCreatedImportedEndpoints.erase(it);
}
}
}
void celix::async_rsa::AsyncAdmin::removeImportedServiceFactory([[maybe_unused]] celix::async_rsa::IImportedServiceFactory *factory, Properties &&properties) {
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_WARN("Removing service factory but missing exported interfaces");
return;
}
std::unique_lock l(_m);
_importedServiceFactories.erase(interface);
}
void celix::async_rsa::AsyncAdmin::addExportedServiceFactory(celix::async_rsa::IExportedServiceFactory *factory, Properties&& properties) {
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_WARN("Adding exported factory but missing exported interfaces");
return;
}
std::unique_lock l(_m);
auto factoryIt = _exportedServiceFactories.find(interface);
if(factoryIt != end(_exportedServiceFactories)) {
L_WARN("Adding exported factory but factory already exists");
return;
}
_exportedServiceFactories.emplace(interface, factory);
L_WARN("Looping over %i tbce for interface %s", _toBeCreatedExportedEndpoints.size(), interface.c_str());
for(auto it = _toBeCreatedExportedEndpoints.begin(); it != _toBeCreatedExportedEndpoints.end(); ) {
auto interfaceToBeCreated = it->second.get(ENDPOINT_EXPORTS);
L_WARN("Checking tbce interface %s", interfaceToBeCreated.c_str());
if(interfaceToBeCreated.empty() || interfaceToBeCreated != interface) {
it++;
} else {
auto endpointId = it->second.get(ENDPOINT_IDENTIFIER);
_exportedServiceInstances.emplace(endpointId, factory->create(it->first, endpointId));
it = _toBeCreatedExportedEndpoints.erase(it);
}
}
}
void celix::async_rsa::AsyncAdmin::removeExportedServiceFactory(celix::async_rsa::IExportedServiceFactory *, Properties&& properties) {
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_WARN("Removing imported factory but missing exported interfaces");
return;
}
std::unique_lock l(_m);
_exportedServiceFactories.erase(interface);
}
void celix::async_rsa::AsyncAdmin::addService(void *svc, const celix_properties_t *props) {
auto *objectClass = celix_properties_get(props, OSGI_FRAMEWORK_OBJECTCLASS, nullptr);
auto *remote = celix_properties_get(props, "remote", nullptr);
auto endpointId = celix_properties_get(props, ENDPOINT_IDENTIFIER, nullptr);
if(objectClass == nullptr) {
L_WARN("Adding service to be exported but missing objectclass");
return;
}
if(remote == nullptr) {
// not every service is remote, this is fine but not something the RSA admin is interested in.
return;
} else {
L_WARN("found remote service %s", objectClass);
}
if(endpointId == nullptr) {
L_WARN("Adding service to be exported but missing endpoint.id");
return;
}
std::unique_lock l(_m);
auto factory = _exportedServiceFactories.find(objectClass);
if(factory == end(_exportedServiceFactories)) {
L_WARN("Adding service to be exported but no factory available yet, delaying creation");
Properties cppProps;
auto it = celix_propertiesIterator_construct(props);
const char* key;
while(key = celix_propertiesIterator_nextKey(&it), key != nullptr) {
cppProps.set(key, celix_properties_get(props, key, nullptr));
}
_toBeCreatedExportedEndpoints.emplace_back(std::make_pair(svc, std::move(cppProps)));
return;
}
_exportedServiceInstances.emplace(endpointId, factory->second->create(svc, endpointId));
}
void celix::async_rsa::AsyncAdmin::removeService(void *, const celix_properties_t *props) {
auto *objectClass = celix_properties_get(props, OSGI_FRAMEWORK_OBJECTCLASS, nullptr);
auto *remote = celix_properties_get(props, "remote", nullptr);
auto svcId = celix_properties_get(props, ENDPOINT_IDENTIFIER, nullptr);
if(objectClass == nullptr) {
L_WARN("Removing service to be exported but missing objectclass");
return;
}
if(remote == nullptr) {
// not every service is remote, this is fine but not something the RSA admin is interested in.
return;
}
if(svcId == nullptr) {
L_WARN("Removing service to be exported but missing endpoint.id");
return;
}
std::unique_lock l(_m);
auto instanceIt = _exportedServiceInstances.find(svcId);
if(instanceIt == end(_exportedServiceInstances)) {
return;
}
_mng->destroyComponent(instanceIt->second);
_exportedServiceInstances.erase(instanceIt);
}
void celix::async_rsa::AsyncAdmin::addEndpointInternal(celix::rsa::Endpoint& endpoint) {
const auto& properties = endpoint.getProperties();
auto interface = properties.get(ENDPOINT_EXPORTS);
if(interface.empty()) {
L_WARN("Adding endpoint but missing exported interfaces");
return;
}
auto endpointId = properties.get(ENDPOINT_IDENTIFIER);
if(endpointId.empty()) {
L_WARN("Adding endpoint but missing service id");
return;
}
auto existingFactory = _importedServiceFactories.find(interface);
if(existingFactory == end(_importedServiceFactories)) {
L_DEBUG("Adding endpoint but no factory available yet, delaying creation");
_toBeCreatedImportedEndpoints.emplace_back(celix::rsa::Endpoint{properties});
return;
}
L_DEBUG("Adding endpoint, created service");
_importedServiceInstances.emplace(endpointId, existingFactory->second->create(endpointId));
}
class AdminActivator {
public:
explicit AdminActivator(std::shared_ptr<celix::dm::DependencyManager> mng) :
_cmp(mng->createComponent(std::make_unique<celix::async_rsa::AsyncAdmin>(mng))), _mng(std::move(mng)) {
_cmp.createServiceDependency<celix::rsa::Endpoint>()
.setRequired(false)
.setCallbacks(&celix::async_rsa::AsyncAdmin::addEndpoint, &celix::async_rsa::AsyncAdmin::removeEndpoint)
.build();
_cmp.createServiceDependency<celix::async_rsa::IImportedServiceFactory>()
.setRequired(false)
.setCallbacks(&celix::async_rsa::AsyncAdmin::addImportedServiceFactory, &celix::async_rsa::AsyncAdmin::removeImportedServiceFactory)
.build();
_cmp.createServiceDependency<celix::async_rsa::IExportedServiceFactory>()
.setRequired(false)
.setCallbacks(&celix::async_rsa::AsyncAdmin::addExportedServiceFactory, &celix::async_rsa::AsyncAdmin::removeExportedServiceFactory)
.build();
_cmp.build();
}
~AdminActivator() noexcept {
_mng->destroyComponent(_cmp);
}
AdminActivator(const AdminActivator &) = delete;
AdminActivator &operator=(const AdminActivator &) = delete;
private:
celix::dm::Component<celix::async_rsa::AsyncAdmin>& _cmp;
std::shared_ptr<celix::dm::DependencyManager> _mng;
};
CELIX_GEN_CXX_BUNDLE_ACTIVATOR(AdminActivator)
| [
"[email protected]"
] | |
08ae6330a51db28b1f46ae208723fa7b39d526d3 | 8403738e873da6add2b5d32beb8105fe8d2e66cb | /C++ Primer_5/10/ioit.cpp | 03cb394805c7952ac900df32e0bc59c7b9842124 | [] | no_license | autyinjing/Cpp-learning | 415a9e9130c1d864b28b749e8a27935936a08234 | fea63fed9c124c6a4218c61ce455554a8d6f29e4 | refs/heads/master | 2021-01-19T01:52:59.513207 | 2017-04-21T10:18:22 | 2017-04-21T10:18:22 | 38,310,895 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 874 | cpp | // =====================================================================================
//
// Filename: ioit.cpp
//
// Description:
//
// Version: 1.0
// Created: 2014年10月08日 11时37分42秒
// Revision: none
// Compiler: g++
//
// Author: aut (yinjing), [email protected]
// Company: Information and Computing Science 1201
//
// =====================================================================================
#include <iostream>
#include <vector>
#include <string>
#include <list>
#include <deque>
#include <forward_list>
#include <algorithm>
#include <functional>
#include <iterator>
using namespace std;
using namespace std::placeholders;
int main(int argc, char *argv[])
{
istream_iterator<int> in(cin), eof;
cout << accumulate(in, eof, 0) << endl;
return 0;
}
| [
"[email protected]"
] | |
3ee67129a863cf37909279259093ab08ebe9726f | 0a663a4d46d9da669e160b5c90b993386a09d83c | /src/core/metaobject.h | 75b89d875cade8fb1aa0d06953fdf4265df95b7f | [] | no_license | CarterTsai/clasp | 9eb138f50bce035d29aa42fd42e5c3fd1ad40d48 | 22d3a4f0fe5eb0fc4651a364bec38e9e9ced51b4 | refs/heads/main | 2021-01-21T09:14:37.844200 | 2014-07-17T02:29:10 | 2014-07-17T02:29:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 651 | h | #ifndef core_Metaobject_H //[
#define core_Metaobject_H
#include <stdio.h>
#include <string>
#include <vector>
#include <set>
#include "foundation.h"
#include "object.h"
//#include "model.h"
#include "executables.fwd.h"
#include "lisp.h"
#include "standardObject.h"
#include "environment.h"
namespace core {
// Set up this class differently
SMART(Metaobject);
class Metaobject_O : public StandardObject_O
{
LISP_META_CLASS(StandardClass);
LISP_BASE1(StandardObject_O);
LISP_CLASS(core,CorePkg,Metaobject_O,"metaobject");
public:
explicit Metaobject_O();
virtual ~Metaobject_O();
};
};
TRANSLATE(core::Metaobject_O);
#endif //]
| [
"[email protected]"
] | |
d8a4b6304117084167cbc4457fb2f8e381720409 | 7f137a08ba4c6e39f39b68b01b381433a47bfa65 | /Corelan/3. SEH Based Exploits/SEH.cpp | 208c84dc4a386041939fd85b93ddf5b93141d23b | [] | no_license | attackgithub/ExploitDevSnippets | 3ab7edb2d5fdd3a54a7eff723d7494fb07d40e3c | 9c60e804245cf36ceae9f5c167cab4935093b5d7 | refs/heads/master | 2020-09-01T10:00:53.462451 | 2017-06-03T06:43:43 | 2017-06-03T06:43:43 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 358 | cpp | #define _CRT_SECURE_NO_WARNINGS
#include<stdio.h>
#include<string.h>
#include<Windows.h>
int ExceptionHandler(void);
int main(int argc, char *argv[]) {
char temp[512];
printf("Application launched");
__try {
strcpy(temp, argv[1]);
}
__except (ExceptionHandler()) {
}
return 0;
}
int ExceptionHandler(void) {
printf("Exception");
return 0;
} | [
"[email protected]"
] | |
6d1e07c54a33182749b0595ca4faa81ae691e3b1 | 2f2ece30e6314a830a6f4583a3f3ed59fa8354ff | /sim/cgi/sim_OTW.cpp | 44e6f98a56bfa4e86d474ffabc9471e6b6f2e3f6 | [
"MIT"
] | permissive | radarEnforced/fsg | fdffc5cbaba96557cf04667a31d4bcad04f8cc2b | 7825785bbf46a367b3daf1beb32b727c58e85e46 | refs/heads/master | 2020-09-22T07:06:04.372723 | 2019-11-30T06:31:30 | 2019-11-30T06:31:30 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,610 | cpp | /****************************************************************************//*
* Copyright (C) 2019 Marek M. Cel
*
* Permission is hereby granted, free of charge, to any person obtaining
* a copy of this software and associated documentation files (the "Software"),
* to deal in the Software without restriction, including without limitation
* the rights to use, copy, modify, merge, publish, distribute, sublicense,
* and/or sell copies of the Software, and to permit persons to whom
* the Software is furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included
* in all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
* OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
* THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
* IN THE SOFTWARE.
******************************************************************************/
#include <sim/cgi/sim_OTW.h>
#include <sim/cgi/sim_FogScene.h>
#include <sim/cgi/sim_Gates.h>
#include <sim/cgi/sim_SkyDome.h>
////////////////////////////////////////////////////////////////////////////////
using namespace sim;
////////////////////////////////////////////////////////////////////////////////
OTW::OTW( float linesWidth, Module *parent ) :
Module( new osg::Group(), parent ),
m_linesWidth ( linesWidth )
{
osg::ref_ptr<osg::StateSet> stateSet = m_root->getOrCreateStateSet();
stateSet->setMode( GL_RESCALE_NORMAL , osg::StateAttribute::ON );
stateSet->setMode( GL_LIGHTING , osg::StateAttribute::ON );
stateSet->setMode( GL_LIGHT0 , osg::StateAttribute::ON );
stateSet->setMode( GL_BLEND , osg::StateAttribute::ON );
stateSet->setMode( GL_ALPHA_TEST , osg::StateAttribute::ON );
stateSet->setMode( GL_DEPTH_TEST , osg::StateAttribute::ON );
stateSet->setMode( GL_DITHER , osg::StateAttribute::OFF );
}
////////////////////////////////////////////////////////////////////////////////
OTW::~OTW() {}
////////////////////////////////////////////////////////////////////////////////
void OTW::init()
{
addChild( new FogScene( this ) );
addChild( new Gates( m_linesWidth, this ) );
addChild( new SkyDome( this ) );
}
| [
"[email protected]"
] | |
9c79b6f26daf50b3e592ee9b844f61d126150394 | bda27fde8479e678cceb950664c80482b8e12720 | /cpp05/ex02/ShrubberycreationForm.cpp | 530d9aaeef96b83fe303900d0146191a6e631815 | [] | no_license | kozarezov/CPP_modules | 270146fa2c942091ac7a1028246c404ce66e3c6e | d68d6571ae2c9e217253d837835b368910003f07 | refs/heads/main | 2023-02-22T05:46:07.220222 | 2021-01-26T07:39:52 | 2021-01-26T07:39:52 | 332,990,810 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,111 | cpp | /* ************************************************************************** */
/* */
/* ::: :::::::: */
/* ShrubberycreationForm.cpp :+: :+: :+: */
/* +:+ +:+ +:+ */
/* By: ceccentr <[email protected]> +#+ +:+ +#+ */
/* +#+#+#+#+#+ +#+ */
/* Created: 2021/01/05 17:39:49 by ceccentr #+# #+# */
/* Updated: 2021/01/06 11:10:20 by ceccentr ### ########.fr */
/* */
/* ************************************************************************** */
#include "ShrubberyCreationForm.hpp"
ShrubberyCreationForm::ShrubberyCreationForm() : Form("ShrubberyCreationForm", 145, 137, "target")
{
}
ShrubberyCreationForm::ShrubberyCreationForm(std::string target):
Form("ShrubberyCreationForm", 145, 137, target)
{
}
ShrubberyCreationForm::~ShrubberyCreationForm()
{
}
ShrubberyCreationForm::ShrubberyCreationForm(ShrubberyCreationForm const &other):
Form(other.getName(), other.getGradeSign(), other.getGradeExecute(), other.getTarget())
{
}
ShrubberyCreationForm& ShrubberyCreationForm::operator=(ShrubberyCreationForm const &other)
{
(void)other;
return (*this);
}
void ShrubberyCreationForm::execute(Bureaucrat const &executor) const
{
this->Form::execute(executor);
std::ofstream file;
try
{
file.open(this->getTarget() + "_shrubbery");
}
catch(const std::exception& e)
{
std::cerr << "can't open file, error: " << e.what() << '\n';
}
file << " *** ***" << std::endl;
file << " ***....** **...***" << std::endl;
file << " **........** **.......**" << std::endl;
file << " *** **..........*.........** ***" << std::endl;
file << " **.....** **..................** **.....**" << std::endl;
file << " **.........** **..............** **.........**" << std::endl;
file << "*..............* *..........* *..............*" << std::endl;
file << " **..............* *......* *..............**" << std::endl;
file << " **..............** *....* **..............**" << std::endl;
file << " *......................................*" << std::endl;
file << " **..............**........**..............**" << std::endl;
file << " **..............* *....* *..............**" << std::endl;
file << "*..............* *....* *..............*" << std::endl;
file << " **.........** *....* **.........**" << std::endl;
file << " **.....** *....* **.....**" << std::endl;
file << " *** **....* ***" << std::endl;
file << " ** * * *" << std::endl;
file.close();
}
| [
"[email protected]"
] | |
9786af6b54abba4927daa85b7d32bba7c0239b6e | a6963baf9ac8653e291f656508b7498cae29adc6 | /lab13.2/False.h | ebc218295380bea9c9759bd8c833f454aa965f88 | [] | no_license | Feynom/lab13.2 | 0be8fe1c859baf39df5a2a28c6be709285574f2d | 63bb6826e426adea9272768f4be30f53ac75e4ea | refs/heads/main | 2023-02-06T00:36:32.830268 | 2020-12-26T10:17:14 | 2020-12-26T10:17:14 | 324,442,277 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 51 | h | #pragma once
namespace nsFalse
{
void False();
}
| [
"[email protected]"
] | |
857e684dbc5999a80b83e7d71610bf85e2346733 | 3b9b4049a8e7d38b49e07bb752780b2f1d792851 | /src/sync/engine/syncer_util.h | f915ba7653a1c029a92b9ba59bb409427405812a | [
"BSD-3-Clause",
"Apache-2.0"
] | permissive | webosce/chromium53 | f8e745e91363586aee9620c609aacf15b3261540 | 9171447efcf0bb393d41d1dc877c7c13c46d8e38 | refs/heads/webosce | 2020-03-26T23:08:14.416858 | 2018-08-23T08:35:17 | 2018-09-20T14:25:18 | 145,513,343 | 0 | 2 | Apache-2.0 | 2019-08-21T22:44:55 | 2018-08-21T05:52:31 | null | UTF-8 | C++ | false | false | 4,337 | h | // Copyright (c) 2012 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
//
// Utility functions manipulating syncable::Entries, intended for use by the
// syncer.
#ifndef SYNC_ENGINE_SYNCER_UTIL_H_
#define SYNC_ENGINE_SYNCER_UTIL_H_
#include <stdint.h>
#include <set>
#include <string>
#include <vector>
#include "sync/base/sync_export.h"
#include "sync/engine/syncer.h"
#include "sync/engine/syncer_types.h"
#include "sync/syncable/entry_kernel.h"
#include "sync/syncable/metahandle_set.h"
#include "sync/syncable/mutable_entry.h"
#include "sync/syncable/syncable_id.h"
namespace sync_pb {
class SyncEntity;
} // namespace sync_pb
namespace syncer {
namespace syncable {
class BaseTransaction;
class ModelNeutralWriteTransaction;
} // namespace syncable
class Cryptographer;
// If the server sent down a client-tagged entry, or an entry whose
// commit response was lost, it is necessary to update a local entry
// with an ID that doesn't match the ID of the update. Here, we
// find the ID of such an entry, if it exists. This function may
// determine that |server_entry| should be dropped; if so, it returns
// the null ID -- callers must handle this case. When update application
// should proceed normally with a new local entry, this function will
// return server_entry.id(); the caller must create an entry with that
// ID. This function does not alter the database.
syncable::Id FindLocalIdToUpdate(
syncable::BaseTransaction* trans,
const sync_pb::SyncEntity& server_entry);
UpdateAttemptResponse AttemptToUpdateEntry(
syncable::WriteTransaction* const trans,
syncable::MutableEntry* const entry,
Cryptographer* cryptographer);
// Returns the most accurate position information available in this update. It
// prefers to use the unique_position() field, but will fall back to using the
// int64_t-based position_in_parent if necessary.
//
// The suffix parameter is the unique bookmark tag for the item being updated.
//
// Will return an invalid position if no valid position can be constructed, or
// if this type does not support positioning.
SYNC_EXPORT UniquePosition GetUpdatePosition(const sync_pb::SyncEntity& update,
const std::string& suffix);
// Fetch the cache_guid and item_id-based unique bookmark tag from an update.
// Will return an empty string if someting unexpected happens.
SYNC_EXPORT std::string GetUniqueBookmarkTagFromUpdate(
const sync_pb::SyncEntity& update);
// Pass in name to avoid redundant UTF8 conversion.
SYNC_EXPORT void UpdateServerFieldsFromUpdate(
syncable::ModelNeutralMutableEntry* local_entry,
const sync_pb::SyncEntity& server_entry,
const std::string& name);
// Creates a new Entry iff no Entry exists with the given id.
void CreateNewEntry(syncable::ModelNeutralWriteTransaction *trans,
const syncable::Id& id);
// This function is called on an entry when we can update the user-facing data
// from the server data.
void UpdateLocalDataFromServerData(syncable::WriteTransaction* trans,
syncable::MutableEntry* entry);
VerifyCommitResult ValidateCommitEntry(syncable::Entry* entry);
VerifyResult VerifyNewEntry(const sync_pb::SyncEntity& update,
syncable::Entry* target,
const bool deleted);
// Assumes we have an existing entry; check here for updates that break
// consistency rules.
VerifyResult VerifyUpdateConsistency(
syncable::ModelNeutralWriteTransaction* trans,
const sync_pb::SyncEntity& update,
const bool deleted,
const bool is_directory,
ModelType model_type,
syncable::ModelNeutralMutableEntry* target);
// Assumes we have an existing entry; verify an update that seems to be
// expressing an 'undelete'
VerifyResult VerifyUndelete(syncable::ModelNeutralWriteTransaction* trans,
const sync_pb::SyncEntity& update,
syncable::ModelNeutralMutableEntry* target);
void MarkDeletedChildrenSynced(
syncable::Directory* dir,
syncable::BaseWriteTransaction* trans,
std::set<syncable::Id>* deleted_folders);
} // namespace syncer
#endif // SYNC_ENGINE_SYNCER_UTIL_H_
| [
"[email protected]"
] | |
55958ebb389bf3ac75d2735c381be242a323ab9b | 4eb4242f67eb54c601885461bac58b648d91d561 | /third_part/indri5.6/ExtentRestrictionModelAnnotatorCopier.hpp | ffe7e39b2fb2562a8765ae1d833021b9ab3e639c | [] | no_license | biebipan/coding | 630c873ecedc43a9a8698c0f51e26efb536dabd1 | 7709df7e979f2deb5401d835d0e3b119a7cd88d8 | refs/heads/master | 2022-01-06T18:52:00.969411 | 2018-07-18T04:30:02 | 2018-07-18T04:30:02 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,966 | hpp | /*==========================================================================
* Copyright (c) 2004 University of Massachusetts. All Rights Reserved.
*
* Use of the Lemur Toolkit for Language Modeling and Information Retrieval
* is subject to the terms of the software license set forth in the LICENSE
* file included with this software, and also available at
* http://www.lemurproject.org/license.html
*
*==========================================================================
*/
//
// ExtentRestrictionModelAnnotatorCopier
//
// 16 August 2004 -- tds
//
// This copier annotates RawScorerNodes with the language models
// of the surrounding ExtentRestrictions.
//
// For example, the query #combine[sentence]( dog cat )
// should be synonymous with #combine[sentence]( dog.(sentence) cat.(sentence) ).
// We push the sentence language model down the tree and attach it to "dog" and "cat".
//
#ifndef INDRI_EXTENTRESTRICTIONMODELANNOTATORCOPIER_HPP
#define INDRI_EXTENTRESTRICTIONMODELANNOTATORCOPIER_HPP
#include <stack>
#include <vector>
#include "QuerySpec.hpp"
namespace indri
{
namespace lang
{
class ExtentRestrictionModelAnnotatorCopier : public indri::lang::Copier {
private:
std::vector<indri::lang::Node*> _nodes;
std::stack< indri::lang::ExtentRestriction* > _restrictions;
public:
~ExtentRestrictionModelAnnotatorCopier() {
indri::utility::delete_vector_contents( _nodes );
}
indri::lang::Node* defaultAfter( indri::lang::Node* old, indri::lang::Node* newNode ) {
_nodes.push_back( newNode );
return newNode;
}
void before( indri::lang::ExtentRestriction* old ) {
_restrictions.push( old );
}
void before( indri::lang::ExtentEnforcement* old ) {
before( (indri::lang::ExtentRestriction*) old );
}
indri::lang::Node* after( indri::lang::ExtentRestriction* oldNode, indri::lang::ExtentRestriction* newNode ) {
_restrictions.pop();
_nodes.push_back( newNode );
return newNode;
}
indri::lang::Node* after( indri::lang::ExtentEnforcement* oldNode, indri::lang::ExtentEnforcement* newNode ) {
return after( (indri::lang::ExtentRestriction*) oldNode, (indri::lang::ExtentRestriction*) newNode );
}
indri::lang::Node* after( indri::lang::RawScorerNode* oldNode, indri::lang::RawScorerNode* newNode ) {
if( newNode->getContext() == 0 && _restrictions.size() ) {
newNode->setContext( _restrictions.top()->getField() );
}
_nodes.push_back( newNode ); // should track for free.
return newNode;
}
indri::lang::Node* after( indri::lang::NestedRawScorerNode* oldNode, indri::lang::NestedRawScorerNode* newNode ) {
return after( (indri::lang::RawScorerNode*) oldNode, (indri::lang::RawScorerNode*) newNode );
}
};
}
}
#endif // INDRI_EXTENTRESTRICTIONMODELANNOTATORCOPIER_HPP
| [
"[email protected]"
] | |
11d998f032fdc02a6775424bce4d993eefd27d7f | 53a82f3f1af0d44d3886cea7925966617cd8db5c | /UVA/437/10894967_AC_0ms_0kB.cpp | 1e3f5ce66ea8d49d906463746366de62c998ae74 | [] | no_license | kmtusher97/Solved-Problems | d24968a0b0fcb01ac3f13b4fb25ab6445c95d07b | 6882df43d0bbb62169e8216665ea9cfb0d875ba7 | refs/heads/master | 2020-04-09T11:34:40.283984 | 2018-12-04T07:53:37 | 2018-12-04T07:53:37 | 160,312,784 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,477 | cpp | #include <bits/stdc++.h>
using namespace std;
#define pb push_back
#define pbk pop_back
#define mk_pr make_pair
typedef long long ll;
typedef pair<int, int> pii;
typedef pair<int, pii> piii;
typedef vector<int> vi;
typedef vector<pii> vii;
typedef vector<string> vss;
typedef queue<int> qi;
const int MX = 1123456;
int dp[200];
vector<piii> blck;
bool check( piii a, piii b ) {
if( a.first < b.first && a.second.first < b.second.first ) return true;
return false;
}
int solution( int n ) {
sort(blck.begin(), blck.end());
for(int i=0; i<n; i++) {
dp[i] = blck[i].second.second;
}
for(int i=0; i<n; i++) {
for(int j=i+1; j<n; j++) {
if( check( blck[i], blck[j] ) && dp[j] < dp[i]+blck[j].second.second ) {
dp[j] = dp[i]+blck[j].second.second;
}
}
}
int mx = 0;
for(int i=0; i<n; i++) {
mx = max(mx, dp[i]);
}
return mx;
}
int main() {
ios_base :: sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
int caseno = 0, n;
while( cin >> n && n ) {
blck.clear();
for(int i=0, l, w, h; i<n; i++) {
cin >> l >> w >> h;
blck.pb( mk_pr( l, mk_pr(w, h) ) );
blck.pb( mk_pr( l, mk_pr(h, w) ) );
blck.pb( mk_pr( w, mk_pr(l, h) ) );
blck.pb( mk_pr( w, mk_pr(h, l) ) );
blck.pb( mk_pr( h, mk_pr(l, w) ) );
blck.pb( mk_pr( h, mk_pr(w, l) ) );
}
int ans = solution( n*6 );
cout << "Case " << ++caseno << ": maximum height = " << ans << endl;
}
return 0;
}
| [
"[email protected]"
] | |
a3341d1da939b8131904c81712b6c4a571f0cfc9 | 4706b7a3c532daa215d6389634966ac58826d7b8 | /Library's/V1/entity_classes.hpp | 41175cbea6d24a73c28ee797a9439f3aaf0a08cf | [] | no_license | Jipolie01/Project_Laser_Turtle | a24753437bf0c5f18f6b96a8dd4fa64133bcf869 | 008bac99fb01d3184216a560b2986ac86e112b7a | refs/heads/master | 2020-09-22T08:27:11.439996 | 2016-11-11T11:29:05 | 2016-11-11T11:29:05 | 67,600,867 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,267 | hpp | #include "hwlib.hpp"
#ifndef ENTITY_CLASSES_HPP
#define ENTITY_CLASSES_HPP
class my_player_information {
private:
char16_t compiled_bits;
public:
my_player_information():
compiled_bits(0)
{}
char16_t get_compiled_bits(){
return compiled_bits;
}
void set_compiled_bits(char16_t value){
compiled_bits = value;
}
};
class game_information_data {
private:
int game_time_remaining;
bool game_has_started;
public:
game_information_data(int game_time_remaining):
game_time_remaining(game_time_remaining),
game_has_started(0)
{}
int get_game_time(){
return game_time_remaining;
}
bool get_game_has_start(){
return game_has_started;
}
void set_game_time(int time){
game_time_remaining = time;
}
void set_game_has_start(bool yes_no){
game_has_started = yes_no;
}
};
class hit{
private:
byte player_id;
byte weapon_id;
public:
hit(byte player_id, byte weapon_id):
player_id(player_id),
weapon_id(weapon_id)
{}
byte get_player_id(){
return player_id;
}
byte get_weapon_id(){
return weapon_id;
}
};
#endif // ENTITY_CLASSES_HPP
| [
"[email protected]"
] | |
1e8633df4eb07b88c82d373538813fdf4d209053 | 9f9d75e94c603d47adc87889a00d1e2b611cd8ea | /STLandDIYProject/STLMap.cpp | 4415ee33842a66c84ce309f4d0dc2542dd47de40 | [] | no_license | anguspoole/CustomContainers | 9f1a8f1b5d85276f8a42ea06ac39271e4b01a872 | b7b872ea8551d5f5a992f45ecd95cdc63725e149 | refs/heads/master | 2020-05-24T03:56:09.662028 | 2019-06-02T00:59:34 | 2019-06-02T00:59:34 | 187,082,393 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 20,380 | cpp | //The implementation for the STL Map
#include "STLMap.h"
#include <fstream>
#include <iostream>
#include <time.h> /* clock_t, clock, CLOCKS_PER_SEC */
#include <math.h> /* sqrt */
#include <algorithm>
#include <Windows.h>
#include <Psapi.h>
//clock_t perfClock;
std::map<int, sPerson> people;
std::map<int, std::string> maleFirstNames;
std::map<int, std::string> femaleFirstNames;
std::map<int, std::string> lastNames;
//sPerfData performanceData;
void STLMap::initPerfData()
{
perfClock = clock();
performanceData.elapsedCallTime_ms = 0.0f;
performanceData.memoryUsageBytes_avg = 0.0f;
performanceData.memoryUsageBytes_max = 0.0f;
performanceData.memoryUsageBytes_min = 0.0f;
PROCESS_MEMORY_COUNTERS pmc;
bool gotInfo = GetProcessMemoryInfo(GetCurrentProcess(), &pmc, sizeof(pmc));
if (gotInfo)
{
//Set initial values to be the amount of memory allocated
performanceData.memoryUsageBytes_avg = pmc.WorkingSetSize;
performanceData.memoryUsageBytes_max = pmc.WorkingSetSize;
performanceData.memoryUsageBytes_min = pmc.WorkingSetSize;
//std::cout << performanceData.memoryUsageBytes_avg << std::endl;
}
else
{
std::cout << "Could not get process memory info" << std::endl;
}
}
void STLMap::updatePerfData()
{
performanceData.elapsedCallTime_ms = (float)((clock() - perfClock)/CLOCKS_PER_SEC) * 1000.0f;
//std::cout << "clock: " << performanceData.elapsedCallTime_ms << std::endl;
PROCESS_MEMORY_COUNTERS pmc;
bool gotInfo = GetProcessMemoryInfo(GetCurrentProcess(), &pmc, sizeof(pmc));
if (gotInfo)
{
//std::cout << "Got Info: " << pmc.WorkingSetSize << std::endl;
if (performanceData.memoryUsageBytes_min > pmc.WorkingSetSize)
{
performanceData.memoryUsageBytes_min = pmc.WorkingSetSize;
}
if (performanceData.memoryUsageBytes_max < pmc.WorkingSetSize)
{
performanceData.memoryUsageBytes_max = pmc.WorkingSetSize;
}
//Calculate new average
performanceData.memoryUsageBytes_avg = (performanceData.memoryUsageBytes_min + performanceData.memoryUsageBytes_max) / 2.0f;
}
else
{
std::cout << "Could not get process memory info" << std::endl;
}
}
float stlMapCalculateDistance(sPoint location1, sPoint location2)
{
float xS = std::pow((location2.x - location1.x), 2);
float yS = std::pow((location2.y - location1.y), 2);
float zS = std::pow((location2.z - location1.z), 2);
float distance = std::sqrt(xS + yS + zS);
return distance;
}
bool STLMap::LoadDataFilesIntoContainer(std::string firstNameFemaleFileName,
std::string firstNameMaleFileName,
std::string lastNameFileName)
{
initPerfData();
std::string name; //name of person
float namePercent;
float totalPercent;
unsigned long long id;
int counter = 0;
//open up female firstname files
std::ifstream femaleFile(firstNameFemaleFileName);
if (!femaleFile)
{
std::cout << "Error loading female firstname file" << std::endl;
updatePerfData();
return false;
}
//read through file
while (femaleFile >> name >> namePercent >> totalPercent >> id)
{
femaleFirstNames.insert(std::pair<int, std::string>(counter, name));
//create a person
//sPerson person;
//person.first = name;
//person.uniqueID = id;
//people.push_back(person);
updatePerfData();
counter++;
}
femaleFile.close();
//for (int c = 0; c < people.size(); c++)
//{
// std::cout << "Name: " << people[c].first << std::endl;
//}
//Reset the counter
counter = 0;
//open up male firstname files
std::ifstream maleFile(firstNameMaleFileName);
if (!maleFile)
{
std::cout << "Error loading male firstname file" << std::endl;
updatePerfData();
return false;
}
//read through file
while (maleFile >> name >> namePercent >> totalPercent >> id)
{
maleFirstNames.insert(std::pair<int, std::string>(counter, name));
//create a person
//sPerson person;
//person.first = name;
//person.uniqueID = id;
//people.push_back(person);
updatePerfData();
counter++;
}
maleFile.close();
//Reset counter
counter = 0;
//open up male firstname files
std::ifstream lastFile(lastNameFileName);
if (!lastFile)
{
std::cout << "Error loading lastname file" << std::endl;
updatePerfData();
return false;
}
//read through file
while (lastFile >> name >> namePercent >> totalPercent >> id)
{
lastNames.insert(std::pair<int, std::string>(counter, name));
//create a person
//sPerson person;
//person.first = name;
//person.uniqueID = id;
//people.push_back(person);
updatePerfData();
counter++;
}
lastFile.close();
updatePerfData();
return true;
}
bool STLMap::FindPeopleByName(std::vector<sPerson>& vecPeople, sPerson personToMatch, int maxNumberOfPeople)
{
initPerfData();
//clear vector in case it has people in it already
vecPeople.clear();
//If no first or last name, add everybody to vector
if (personToMatch.first == "" && personToMatch.last == "")
{
if (maxNumberOfPeople <= people.size())
{
for (int i = 0; i < maxNumberOfPeople; i++)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
else
{
for (int i = 0; i < people.size(); i++)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
}
//If no last name, add anybody with matching first name to vector
else if (personToMatch.first != "" && personToMatch.last == "")
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].first == personToMatch.first && vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
//If no first name, add anybody with last name to vector
else if (personToMatch.first == "" && personToMatch.last != "")
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].last == personToMatch.last && vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
//Add exact person to vector
else
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].first == personToMatch.first &&
people[i].last == personToMatch.last &&
vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
if (vecPeople.size() > 0)
{
updatePerfData();
return true;
}
else
{
updatePerfData();
return false;
}
}
bool STLMap::FindPeopleByName(std::vector<sPerson>& vecPeople, std::vector<sPerson>& vecPeopleToMatch, int maxNumberOfPeople)
{
initPerfData();
//clear vector in case it has people in it already
vecPeople.clear();
for (int c = 0; c < vecPeopleToMatch.size(); c++)
{
sPerson personToMatch = vecPeopleToMatch[c];
//If no first or last name, add everybody to vector
if (personToMatch.first == "" && personToMatch.last == "")
{
if (maxNumberOfPeople <= people.size())
{
for (int i = 0; i < maxNumberOfPeople; i++)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
else
{
for (int i = 0; i < people.size(); i++)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
}
//If no last name, add anybody with matching first name to vector
else if (personToMatch.first != "" && personToMatch.last == "")
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].first == personToMatch.first && vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
//If no first name, add anybody with last name to vector
else if (personToMatch.first == "" && personToMatch.last != "")
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].last == personToMatch.last && vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
//Add exact person to vector
else
{
for (int i = 0; i < people.size(); i++)
{
if (people[i].first == personToMatch.first &&
people[i].last == personToMatch.last &&
vecPeople.size() < maxNumberOfPeople)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
if (vecPeople.size() >= maxNumberOfPeople)
{
updatePerfData();
break;
}
}
}
if (vecPeople.size() > 0)
{
updatePerfData();
return true;
}
else
{
updatePerfData();
return false;
}
}
}
bool STLMap::FindPersonByID(sPerson & person, unsigned long long uniqueID)
{
initPerfData();
for (int i = 0; i < people.size(); i++)
{
if (people[i].uniqueID == uniqueID)
{
person = people[i];
updatePerfData();
return true;
}
}
updatePerfData();
return false;
}
bool STLMap::FindPeople(std::vector<sPerson>& vecPeople, sPoint location, float radius, int maxPeopleToReturn)
{
initPerfData();
//clear vector in case it has people in it already
vecPeople.clear();
//Loop over all people
for (int i = 0; i < people.size(); i++)
{
if (i < maxPeopleToReturn)
{
//Add people within distance range
float dist = stlMapCalculateDistance(location, people[i].location);
if (dist <= radius)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
else
{
updatePerfData();
break;
}
}
if (vecPeople.size() > 0)
{
updatePerfData();
return true;
}
else
{
updatePerfData();
return false;
}
}
bool STLMap::FindPeople(std::vector<sPerson>& vecPeople, float minHealth, float maxHealth, int maxPeopleToReturn)
{
initPerfData();
//clear vector in case it has people in it already
vecPeople.clear();
//Loop over all people
for (int i = 0; i < people.size(); i++)
{
if (i < maxPeopleToReturn)
{
//Add people with health within range
if (people[i].health >= minHealth && people[i].health <= maxHealth)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
else
{
updatePerfData();
break;
}
}
if (vecPeople.size() > 0)
{
updatePerfData();
return true;
}
else
{
updatePerfData();
return false;
}
}
bool STLMap::FindPeople(std::vector<sPerson>& vecPeople, sPoint location, float radius, float minHealth, float maxHealth, int maxPeopleToReturn)
{
initPerfData();
//clear vector in case it has people in it already
vecPeople.clear();
//Loop over all people
for (int i = 0; i < people.size(); i++)
{
if (i < maxPeopleToReturn)
{
//Add people with minimum distance
float dist = stlMapCalculateDistance(location, people[i].location);
updatePerfData();
if (dist <= radius)
{
//Add people within health range
if (people[i].health >= minHealth && people[i].health <= maxHealth)
{
vecPeople.push_back(people[i]);
updatePerfData();
}
}
}
else
{
updatePerfData();
break;
}
}
if (vecPeople.size() > 0)
{
updatePerfData();
return true;
}
else
{
updatePerfData();
return false;
}
}
eContainerType STLMap::getContainerType(void)
{
initPerfData();
updatePerfData();
//return eContainerType();
return STD_MAP;
}
//Sort the map in ascending health order
void stlMapSortAscHealth()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order (health, and if tied, ID)
for (int i = 0; i < people.size(); i++)
{
std::string tempID = std::to_string(people[i].health) + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.begin(); it != tempMap.end(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Sort the map in descending health order
void stlMapSortDescHealth()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order (health, and if tied, ID)
for (int i = 0; i < people.size(); i++)
{
std::string tempID = std::to_string(people[i].health) + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::reverse_iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.rbegin(); it != tempMap.rend(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for lower id
void stlMapSortAscID()
{
//Create a second map, ordered by name and id
std::map<unsigned long long, sPerson> tempMap;
//Populate map in correct order (health, and if tied, ID)
for (int i = 0; i < people.size(); i++)
{
tempMap[people[i].uniqueID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<unsigned long long, sPerson>::iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.begin(); it != tempMap.end(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for higher id
void stlMapSortDescID()
{
//Create a second map, ordered by name and id
std::map<unsigned long long, sPerson> tempMap;
//Populate map in correct order (health, and if tied, ID)
for (int i = 0; i < people.size(); i++)
{
tempMap[people[i].uniqueID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<unsigned long long, sPerson>::reverse_iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.rbegin(); it != tempMap.rend(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for lower first name, then last name
void stlMapSortAscFirstThenLast()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order
for (int i = 0; i < people.size(); i++)
{
std::string tempID = people[i].first + people[i].last + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.begin(); it != tempMap.end(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for higher first name, then last name
void stlMapSortDescFirstThenLast()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order
for (int i = 0; i < people.size(); i++)
{
std::string tempID = people[i].first + people[i].last + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::reverse_iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.rbegin(); it != tempMap.rend(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for lower last name, then first name
void stlMapSortAscLastThenFirst()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order
for (int i = 0; i < people.size(); i++)
{
std::string tempID = people[i].last + people[i].first + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.begin(); it != tempMap.end(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
//Helper function for checking for higher last name, then first name
void stlMapSortDescLastThenFirst()
{
//Create a second map, ordered by name and id
std::map<std::string, sPerson> tempMap;
//Populate map in correct order
for (int i = 0; i < people.size(); i++)
{
std::string tempID = people[i].last + people[i].first + std::to_string(people[i].uniqueID);
tempMap[tempID] = people[i];
}
//Empity existing map
people.clear();
//Iterator for going over second map
std::map<std::string, sPerson>::reverse_iterator it;
int count = 0;
//Re-populate existing map
for (it = tempMap.rbegin(); it != tempMap.rend(); it++)
{
people.insert(std::pair<int, sPerson>(count, it->second));
count++;
}
}
bool STLMap::SortPeople(std::vector<sPerson> &vecPeople, eSortType sortType)
{
initPerfData();
switch (sortType)
{
case eSortType::ASC_BY_HEALTH:
stlMapSortAscHealth();
updatePerfData();
break;
case eSortType::ASC_BY_ID:
stlMapSortAscID();
updatePerfData();
break;
case eSortType::ASC_FIRST_THEN_LAST:
stlMapSortAscFirstThenLast();
updatePerfData();
break;
case eSortType::ASC_LAST_THEN_FIRST:
stlMapSortAscLastThenFirst();
updatePerfData();
break;
case eSortType::DESC_BY_HEALTH:
stlMapSortDescHealth();
updatePerfData();
break;
case eSortType::DESC_BY_ID:
stlMapSortDescID();
updatePerfData();
break;
case eSortType::DESC_FIRST_THEN_LAST:
stlMapSortDescFirstThenLast();
updatePerfData();
break;
case eSortType::DESC_LAST_THEN_FIRST:
stlMapSortDescLastThenFirst();
updatePerfData();
break;
default:
updatePerfData();
return false;
}
//reset vector
vecPeople.clear();
for (int i = 0; i < people.size(); i++)
{
//vecPeople.push_back(people[i]);
}
updatePerfData();
return true;
}
bool STLMap::MakeRandomPeople(int numPeople)
{
initPerfData();
//first clear the vector in case there are people in it already
people.clear();
srand(NULL);
unsigned long long id = 0;
//If we can't make a person, then return false
if (maleFirstNames.size() == 0 && femaleFirstNames.size() == 0 && lastNames.size() == 0)
{
updatePerfData();
return false;
}
for (int c = 0; c < numPeople; c++)
{
//The person
sPerson person;
//Decide if male or female
int mfCheck = rand() % 2; //random number 0 or 1
//Generate name
int male = rand() % maleFirstNames.size();
int female = rand() % femaleFirstNames.size();
int last = rand() % lastNames.size();
//Generate age
int age = rand() % 100 + 1; //1 - 100
//Generate health (assuming a rating of 0(dead) to 100%(perfectly healthy))
float health = static_cast <float> (rand()) / static_cast <float> (RAND_MAX); //generates a number from 0 to 1.0
health *= 100.0f;
//Generate location
float xLoc = ((rand() % 201) - 100) * (static_cast <float> (rand()) / static_cast <float> (RAND_MAX)); //random number from -100 to 100
float yLoc = ((rand() % 201) - 100) * (static_cast <float> (rand()) / static_cast <float> (RAND_MAX)); //random number from -100 to 100
float zLoc = ((rand() % 201) - 100) * (static_cast <float> (rand()) / static_cast <float> (RAND_MAX)); //random number from -100 to 100
//Assign first name
if (mfCheck) //if male
{
if (maleFirstNames.size() > 0)
{
person.first = maleFirstNames[male];
}
else if (femaleFirstNames.size() > 0)
{
person.first = femaleFirstNames[female];
}
updatePerfData();
}
else //if female
{
if (femaleFirstNames.size() > 0)
{
person.first = femaleFirstNames[female];
}
else if (maleFirstNames.size() > 0)
{
person.first = maleFirstNames[male];
}
updatePerfData();
}
//Assign last name
if (lastNames.size() > 0)
{
person.last = lastNames[last];
}
updatePerfData();
person.age = age;
person.health = health;
person.location.x = xLoc;
person.location.y = yLoc;
person.location.z = zLoc;
person.uniqueID = id;
people.insert(std::pair<int, sPerson>(id, person));
id++;
updatePerfData();
}
updatePerfData();
return true;
}
bool STLMap::GetPerformanceFromLastCall(sPerfData & callStats)
{
callStats = performanceData;
//std::cout << "CallStats: " << callStats.elapsedCallTime_ms << ", " << callStats.memoryUsageBytes_avg << std::endl;
return true;
}
| [
"[email protected]"
] | |
52199f662b8dc34e39a141f39b9b3ae4e4c67a94 | 0b2eb0455c00efaba3501af887a94c20de5ebdcd | /WS05/at-home/Fraction.cpp | bc129bfe048e861656aa82d851d22589142a1a14 | [] | no_license | C067/OOP244_WS5 | 3655778fb796f319132d8bef3b749c1864adabab | 54a6a42192ce5398aa104a92ed2d0897b88c2802 | refs/heads/master | 2020-03-28T16:40:15.860430 | 2018-09-14T01:34:51 | 2018-09-14T01:34:51 | 148,717,459 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,514 | cpp | //Name: Callum Dodge
//Date: June 14, 2016
//Workshop: Workshop 5 - In Lab
//Section: D
// TODO: insert header files
#include "Fraction.h"
// TODO: continue the namespace
#include <iostream>
using namespace std;
namespace sict {
// TODO: implement the default constructor
Fraction::Fraction() {
numerator = 0;
denominator = -1;
}
// TODO: implement the two-argument constructor
Fraction::Fraction(int nu, int denom) {
if (nu >= 0 && denom >= 0) {
numerator = nu;
denominator = denom;
reduce();
}
else {
numerator = 0;
denominator = -1;
}
}
// TODO: implement the max query
int Fraction::max() const {
int result;
if (numerator > denominator) {
result = numerator;
}
else {
result = denominator;
}
return result;
}
// TODO: implement the min query
int Fraction::min() const {
int result;
if (numerator < denominator) {
result = numerator;
}
else {
result = denominator;
}
return result;
}
// gcd returns the greatest common divisor of num and denom
//
int Fraction::gcd() const {
int mn = min(); // min of numerator and denominator
int mx = max(); // max of numerator and denominator
int g_c_d = 1;
bool found = false;
for (int x = mn; !found && x > 0; --x) { // from mn decrement until divisor found
if (mx % x == 0 && mn % x == 0) {
found = true;
g_c_d = x;
}
}
return g_c_d;
}
// TODO: implement the reduce modifier
void Fraction::reduce() {
int g_c_d = gcd();
numerator = numerator / g_c_d;
denominator = denominator / g_c_d;
}
// TODO: implement the display query
void Fraction::display() const {
if (isEmpty()) {
cout << "no fraction stored";
}
else {
if (denominator != 1) {
cout << numerator << "/" << denominator;
}
else {
cout << numerator;
}
}
}
// TODO: implement the isEmpty query
bool Fraction::isEmpty() const {
bool result;
if (numerator == 0 || denominator == -1) {
result = true;
}
else {
result = false;
}
return result;
}
// TODO: implement the + operator
Fraction Fraction::operator+(const Fraction& rhs) const {
Fraction tmp;
if (!(isEmpty() || rhs.isEmpty())) {
tmp.numerator = denominator * rhs.numerator + numerator * rhs.denominator;
tmp.denominator = denominator * rhs.denominator;
}
return tmp;
}
//Overloading the * operator to multiply the two fractions.
Fraction Fraction::operator*(const Fraction& rhs) const {
Fraction tmp;
tmp = *this;
if (!(isEmpty() || rhs.isEmpty())) {
tmp.numerator = rhs.numerator * numerator;
tmp.denominator = rhs.denominator * denominator;
}
return tmp;
}
//Overloading the == operator to see if both fractions are equal.
bool Fraction::operator==(const Fraction& rhs) const {
bool result;
if (!(isEmpty() || rhs.isEmpty())) {
if (numerator == rhs.numerator && denominator == rhs.denominator) {
result = true;
}
else {
result = false;
}
}
else {
result = false;
}
return result;
}
//Overloading the != operator to see if both fractions are not equal.
bool Fraction::operator!=(const Fraction& rhs) const {
bool result;
if (!(isEmpty() || rhs.isEmpty())) {
if (!operator==(rhs)) {
result = true;
}
else {
result = false;
}
}
else {
result = false;
}
return result;
}
//Overloading the += operator to add two fractions.
Fraction Fraction::operator += ( Fraction& rhs) {
*this = *this + rhs;
reduce();
return *this;
}
} | [
"[email protected]"
] | |
8ce6631be7e90b87942a5906b54be50ad315440c | 5dee8c109874a8664659fbeb240125a1cee8180d | /Map/Map.h | 93c65108a485eb7006f9a1a91d19f0814e519336 | [] | no_license | DionysusBenstein/DynamicDataStructures | 2572582eef20efac0ff6e6167ffb8f28ff68b996 | c4b2bea645cee965b80f19e3c1bbc8afe7b00646 | refs/heads/master | 2020-03-19T10:03:25.386834 | 2019-01-02T11:50:19 | 2019-01-02T11:50:19 | 136,339,733 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,171 | h | /*******************************************************************/
/* Original File Name: Map.h */
/* Date: 21-09-2018 */
/* Developer: Dionysus Benstein */
/* Copyright © 2018 Dionysus Benstein. All rights reserved. */
/* Description: Реализация ассоциативного массива переменного
размера */
/*******************************************************************/
#pragma once
#include <iostream>
using namespace std;
template <typename K, typename V>
class Map
{
public:
//Constructors
Map()
{
size = 0;
map = nullptr;
}
Map(K key, V value, size_t size)
{
this->size = size;
map = new Pair[this->size];
for (size_t i = 0; i < size; i++)
{
map[i].value = value;
map[i].key = key;
}
}
//Public methods
void print() const
{
for (size_t i = 0; i < this->size; i++)
cout << "Key: " << map[i].key << "; " << "Value: " << map[i].value << endl;
}
private:
struct Pair
{
K key;
V value;
};
size_t size;
Pair *map;
}; | [
"[email protected]"
] | |
33924e796c659d4a8fd88b2b58c4cd1432742e80 | 7a871ee16468dee7878ea590ae0aecb919d8c211 | /turtlebot_controller/src/pose.cpp | 2a28eaf9ccf705483d9c6187a8eb7b2d2027bacf | [] | no_license | marcore94/robotics | 653a8e108f203895a557954e298c2fd32c140495 | e766c4a8700a75afb849b2bb9b9b4c8a999df9b4 | refs/heads/master | 2021-01-19T21:51:05.943223 | 2017-07-26T12:48:28 | 2017-07-26T12:48:28 | 88,715,287 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,828 | cpp | #include "ros/ros.h"
#include "geometry_msgs/PoseStamped.h"
#include "nav_msgs/Odometry.h"
#include "tf/transform_datatypes.h"
#define NAME_OF_THIS_NODE "pose"
class ROSnode
{
private:
ros::NodeHandle Handle;
double x, y, yaw, roll, pitch, t;
ros::Publisher posePub;
ros::Subscriber odomSub;
void odomCallback(const nav_msgs::Odometry::ConstPtr& msg);
public:
bool Prepare();
void runContinuously();
};
bool ROSnode::Prepare()
{
roll = 0.0;
pitch = 0.0;
yaw = 0.0;
x = 0;
y = 0;
t = -1.0;
odomSub = Handle.subscribe("/odom", 10, &ROSnode::odomCallback, this);
posePub = Handle.advertise<geometry_msgs::PoseStamped>("/pose", 10);
return true;
}
void ROSnode::odomCallback(const nav_msgs::Odometry::ConstPtr& msg)
{
if(t < 0) //initialize
{
t = msg->header.stamp.toSec();
return;
}
//update parameters
float v = msg->twist.twist.linear.x;
float w = msg->twist.twist.angular.z;
double dt = msg->header.stamp.toSec() - t;
x = x + v*cos(yaw)*dt;
y = y + v*sin(yaw)*dt;
yaw = yaw + w*dt;
t = msg->header.stamp.toSec();
//publish pose
geometry_msgs::PoseStamped out;
out.header = msg->header;
out.header.frame_id = "/base_link";
//quaternion from yaw
tf::Quaternion q = tf::createQuaternionFromYaw(yaw);
out.pose.orientation.x = q.getX();
out.pose.orientation.y = q.getY();
out.pose.orientation.z = q.getZ();
out.pose.orientation.w = q.getW();
out.pose.position.x = x;
out.pose.position.y = y;
out.pose.position.z = 0.0;
posePub.publish(out);
}
void ROSnode::runContinuously() {
ROS_INFO("Node %s running continuously.", ros::this_node::getName().c_str());
ros::spin();
}
int main(int argc, char **argv)
{
ros::init(argc, argv, NAME_OF_THIS_NODE);
ROSnode pNode;
if(!pNode.Prepare())
{
puts("Failed to load node");
return 0;
}
pNode.runContinuously();
}
| [
"[email protected]"
] | |
4973ce4879e135d2c6de9d7d025e120bc4cd893f | 1e3c7d0ac489131f73ce199f0037d3c56a9cb024 | /src/practice/02_lighting/02_basic_lighting.cpp | ea6c088016c102c4791a77393b50e9ea22a99b09 | [] | no_license | 2Dou/LearnOpenGL | 20f0f2322c4feb5d12928a9206d55ca11a680600 | 9f33991e52cd716baedc949b85506fc843e1531e | refs/heads/master | 2020-05-02T01:58:26.185964 | 2019-05-07T01:38:12 | 2019-05-10T06:49:09 | 177,694,206 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,222 | cpp | // Created by SelFree on 2019/3/4.
// Copyright © 2019年 SelFree. All rights reserved.
#include <glad/glad.h>
#include <glm/gtc/matrix_transform.hpp>
#include <glm/gtc/type_ptr.hpp>
#include "src/util/util.h"
#include "src/common/camera.h"
#include "src/practice/02_lighting/02_basic_lighting.h"
namespace lighting {
BasicLighting::BasicLighting() : delegate_(this, &BasicLighting::ProcessInput) {
}
BasicLighting::~BasicLighting() {
}
void BasicLighting::Attached() {
// 隐藏光标
glfwSetInputMode(framework::Instance()->get_window()
, GLFW_CURSOR, GLFW_CURSOR_DISABLED);
framework::Instance()->AppendProcessInputDelegate(&delegate_);
framework::Instance()->set_impl(this);
camera::Instance()->Reset(glm::vec3(0.0f, 0.0f, 5.0f));
framework::CameraMove::Reset();
}
void BasicLighting::Dettached() {
glfwSetInputMode(framework::Instance()->get_window()
, GLFW_CURSOR, GLFW_CURSOR_NORMAL);
framework::Instance()->RemoveProcessInputDelegate(&delegate_);
if (framework::Instance()->get_impl() == this) {
framework::Instance()->set_impl(nullptr);
}
}
void BasicLighting::Init() {
float vertices[] = {
-0.5f, -0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
0.5f, -0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
0.5f, 0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
0.5f, 0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
-0.5f, 0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
-0.5f, -0.5f, -0.5f, 0.0f, 0.0f, -1.0f,
-0.5f, -0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
0.5f, -0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
0.5f, 0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
0.5f, 0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
-0.5f, 0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
-0.5f, -0.5f, 0.5f, 0.0f, 0.0f, 1.0f,
-0.5f, 0.5f, 0.5f, -1.0f, 0.0f, 0.0f,
-0.5f, 0.5f, -0.5f, -1.0f, 0.0f, 0.0f,
-0.5f, -0.5f, -0.5f, -1.0f, 0.0f, 0.0f,
-0.5f, -0.5f, -0.5f, -1.0f, 0.0f, 0.0f,
-0.5f, -0.5f, 0.5f, -1.0f, 0.0f, 0.0f,
-0.5f, 0.5f, 0.5f, -1.0f, 0.0f, 0.0f,
0.5f, 0.5f, 0.5f, 1.0f, 0.0f, 0.0f,
0.5f, 0.5f, -0.5f, 1.0f, 0.0f, 0.0f,
0.5f, -0.5f, -0.5f, 1.0f, 0.0f, 0.0f,
0.5f, -0.5f, -0.5f, 1.0f, 0.0f, 0.0f,
0.5f, -0.5f, 0.5f, 1.0f, 0.0f, 0.0f,
0.5f, 0.5f, 0.5f, 1.0f, 0.0f, 0.0f,
-0.5f, -0.5f, -0.5f, 0.0f, -1.0f, 0.0f,
0.5f, -0.5f, -0.5f, 0.0f, -1.0f, 0.0f,
0.5f, -0.5f, 0.5f, 0.0f, -1.0f, 0.0f,
0.5f, -0.5f, 0.5f, 0.0f, -1.0f, 0.0f,
-0.5f, -0.5f, 0.5f, 0.0f, -1.0f, 0.0f,
-0.5f, -0.5f, -0.5f, 0.0f, -1.0f, 0.0f,
-0.5f, 0.5f, -0.5f, 0.0f, 1.0f, 0.0f,
0.5f, 0.5f, -0.5f, 0.0f, 1.0f, 0.0f,
0.5f, 0.5f, 0.5f, 0.0f, 1.0f, 0.0f,
0.5f, 0.5f, 0.5f, 0.0f, 1.0f, 0.0f,
-0.5f, 0.5f, 0.5f, 0.0f, 1.0f, 0.0f,
-0.5f, 0.5f, -0.5f, 0.0f, 1.0f, 0.0f
};
// 绑定顶点对象
light_vao_.Bind();
// 创建顶点缓冲对象用于发送三角形顶点
gl_helper::VertexBufferObject<float> vbo_points;
// 绑定缓冲区,建立缓冲区与顶点对象联系
vbo_points.Bind();
// 向刚才绑定的缓冲区发送数据
vbo_points.SetData(sizeof(vertices)/sizeof(*vertices), vertices);
// 指定顶点属性
gl_helper::VertexAttribPointer<float>(0, 3, 6);
// 激活顶点属性
glEnableVertexAttribArray(0);
light_vao_.Unbind();
// Object
object_vao_.Bind();
// 绑定缓冲区,建立缓冲区与顶点对象联系
vbo_points.Bind();
// 向刚才绑定的缓冲区发送数据
vbo_points.SetData(sizeof(vertices)/sizeof(*vertices), vertices);
gl_helper::VertexAttribPointer<float>(0, 3, 6);
glEnableVertexAttribArray(0);
gl_helper::VertexAttribPointer<float>(1, 3, 6, 3);
glEnableVertexAttribArray(1);
object_vao_.Unbind();
light_shader_.Compile(util::GetResourceFilename("shaders/02_lighting/02_basic_lighting/light.vs")
, util::GetResourceFilename("shaders/02_lighting/02_basic_lighting/light.fs"));
object_shader_.Compile(util::GetResourceFilename("shaders/02_lighting/02_basic_lighting/object.vs")
, util::GetResourceFilename("shaders/02_lighting/02_basic_lighting/object.fs"));
glm::mat4 projection(1.0f);
projection = glm::perspective(glm::radians(camera::Instance()->get_zoom())
, static_cast<float>(framework::Instance()->get_width())
/ static_cast<float>(framework::Instance()->get_height())
, 0.1f, 100.0f);
light_shader_.Use();
light_shader_.SetVec3("light_color", 1.0f, 1.0f, 1.0f);
light_shader_.SetMatrix4fv("projection", glm::value_ptr(projection));
light_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
glm::mat4 light_model(1.0f);
glm::vec3 light_pos(1.2f, 1.0f, 2.0f);
light_model = glm::translate(light_model, light_pos);
light_model = glm::scale(light_model, glm::vec3(0.2f));
light_shader_.SetMatrix4fv("model", glm::value_ptr(light_model));
object_shader_.Use();
object_shader_.SetVec3("light_color", 1.0f, 1.0f, 1.0f);
object_shader_.SetVec3("light_pos", glm::value_ptr(light_pos));
object_shader_.SetVec3("view_pos"
, glm::value_ptr(camera::Instance()->get_position()));
object_shader_.SetVec3("object_color", 1.0f, 0.5f, 0.3f);
object_shader_.SetMatrix4fv("projection", glm::value_ptr(projection));
object_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
}
void BasicLighting::Draw() {
light_shader_.Use();
light_vao_.Bind();
glDrawArrays(GL_TRIANGLES, 0, 36);
object_shader_.Use();
object_vao_.Bind();
glm::vec3 cubePositions[] = {
glm::vec3(0.0f, 0.0f, 0.0f),
glm::vec3(2.0f, 5.0f, -15.0f),
glm::vec3(-1.5f, -2.2f, -2.5f),
glm::vec3(-3.8f, -2.0f, -12.3f),
glm::vec3(2.4f, -0.4f, -3.5f),
glm::vec3(-1.7f, 3.0f, -7.5f),
glm::vec3(1.3f, -2.0f, -2.5f),
glm::vec3(1.5f, 2.0f, -2.5f),
glm::vec3(1.5f, 0.2f, -1.5f),
glm::vec3(-1.3f, 1.0f, -1.5f)
};
for (int i = 0; i < sizeof(cubePositions)/sizeof(*cubePositions); i++) {
glm::mat4 model(1.0f);
model = glm::translate(model, cubePositions[i]);
model = glm::rotate(model, glm::radians(i*20.0f), glm::vec3(1.0f, 1.0f, 1.0f));
if (i % 3 == 0) {
model = glm::rotate(model, static_cast<float>(glfwGetTime())
, glm::vec3(1.0f, 1.0f, 1.0f));
}
object_shader_.SetMatrix4fv("model", glm::value_ptr(model));
glDrawArrays(GL_TRIANGLES, 0, 36);
}
}
void BasicLighting::ProcessInput() {
framework::CameraMove::ProcessInput();
object_shader_.Use();
object_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
object_shader_.SetVec3("view_pos"
, glm::value_ptr(camera::Instance()->get_position()));
light_shader_.Use();
light_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
}
void BasicLighting::Position(double xpos, double ypos) {
framework::CameraMove::Position(xpos, ypos);
object_shader_.Use();
object_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
light_shader_.Use();
light_shader_.SetMatrix4fv("view"
, glm::value_ptr(camera::Instance()->GetViewMatrix()));
}
void BasicLighting::Scroll(double xoffset, double yoffset) {
framework::CameraMove::Scroll(xoffset, yoffset);
glm::mat4 projection(1.0f);
projection = glm::perspective(glm::radians(camera::Instance()->get_zoom())
, static_cast<float>(framework::Instance()->get_width())
/ static_cast<float>(framework::Instance()->get_height())
, 0.1f, 100.0f);
object_shader_.Use();
object_shader_.SetMatrix4fv("projection", glm::value_ptr(projection));
light_shader_.Use();
light_shader_.SetMatrix4fv("projection", glm::value_ptr(projection));
}
} // namespace lighting
| [
"[email protected]"
] | |
30372a86a3639045a3921ecf17d9543892393d3e | 15d77b58703cc54f6a07f523e8936cbeb152c30e | /src/qt/splashscreen.cpp | 3c239a0b174c6cf28096798546aca2adaebbe7be | [
"MIT"
] | permissive | michilumin/mooncoincore-wallet | 36e107ca9f3d28fa285bb0763207f9272cbdadfe | aae3f69d2892e3c9f183bd79691442fa062a6fda | refs/heads/master | 2021-03-31T01:03:23.952144 | 2018-03-14T09:35:06 | 2018-03-14T09:35:06 | 125,113,129 | 8 | 0 | MIT | 2018-07-18T05:17:07 | 2018-03-13T20:52:04 | C++ | UTF-8 | C++ | false | false | 3,377 | cpp | // Copyright (c) 2011-2014 The Bitcoin developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "splashscreen.h"
#include "clientversion.h"
#include "init.h"
#include "networkstyle.h"
#include "ui_interface.h"
#include "util.h"
#include "version.h"
#ifdef ENABLE_WALLET
#include "wallet/wallet.h"
#endif
#include <QApplication>
#include <QCloseEvent>
#include <QDesktopWidget>
#include <QPainter>
SplashScreen::SplashScreen(Qt::WindowFlags f, const NetworkStyle *networkStyle) :
QWidget(0, Qt::FramelessWindowHint), curAlignment(0)
{
float fontFactor = 1.0;
QString font = QApplication::font().toString();
pixmap = networkStyle->getSplashImage();
QPainter pixPaint(&pixmap);
pixPaint.setPen(QColor(245,245,245));
pixPaint.setFont(QFont(font, 8*fontFactor));
QFontMetrics fm = pixPaint.fontMetrics();
pixPaint.end();
// Resize window and move to center of desktop, disallow resizing
QRect r(QPoint(), pixmap.size());
resize(r.size());
setFixedSize(r.size());
move(QApplication::desktop()->screenGeometry().center() - r.center());
subscribeToCoreSignals();
}
SplashScreen::~SplashScreen()
{
unsubscribeFromCoreSignals();
}
void SplashScreen::slotFinish(QWidget *mainWin)
{
Q_UNUSED(mainWin);
hide();
}
static void InitMessage(SplashScreen *splash, const std::string &message)
{
QMetaObject::invokeMethod(splash, "showMessage",
Qt::QueuedConnection,
Q_ARG(QString, QString::fromStdString(message)),
Q_ARG(int, Qt::AlignTop|Qt::AlignHCenter),
Q_ARG(QColor, QColor(255,255,255)));
}
static void ShowProgress(SplashScreen *splash, const std::string &title, int nProgress)
{
InitMessage(splash, title + strprintf("%d", nProgress) + "%");
}
#ifdef ENABLE_WALLET
static void ConnectWallet(SplashScreen *splash, CWallet* wallet)
{
wallet->ShowProgress.connect(boost::bind(ShowProgress, splash, _1, _2));
}
#endif
void SplashScreen::subscribeToCoreSignals()
{
// Connect signals to client
uiInterface.InitMessage.connect(boost::bind(InitMessage, this, _1));
uiInterface.ShowProgress.connect(boost::bind(ShowProgress, this, _1, _2));
#ifdef ENABLE_WALLET
uiInterface.LoadWallet.connect(boost::bind(ConnectWallet, this, _1));
#endif
}
void SplashScreen::unsubscribeFromCoreSignals()
{
// Disconnect signals from client
uiInterface.InitMessage.disconnect(boost::bind(InitMessage, this, _1));
uiInterface.ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2));
#ifdef ENABLE_WALLET
if(pwalletMain)
pwalletMain->ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2));
#endif
}
void SplashScreen::showMessage(const QString &message, int alignment, const QColor &color)
{
curMessage = message;
curAlignment = alignment;
curColor = color;
update();
}
void SplashScreen::paintEvent(QPaintEvent *event)
{
QPainter painter(this);
painter.drawPixmap(0, 0, pixmap);
QRect r = rect().adjusted(5, 5, -5, -5);
painter.setPen(curColor);
//painter.drawText(r, curAlignment, curMessage);
sleep(3);
}
void SplashScreen::closeEvent(QCloseEvent *event)
{
StartShutdown(); // allows an "emergency" shutdown during startup
event->ignore();
}
| [
"[email protected]"
] | |
a47189e23b40f4fda7cd521e048b7517b416b2c8 | d914401dc06e540515ad586a58e67a2eb800c16c | /huiZhongLesson/lesson30-2/lesson30-2/源.cpp | e47218d262743e4e4cd4d9c95a97ac9ce9067273 | [] | no_license | CatherineIsNotHere/MyStudyProject | ba00072c6fdebfd716890aa46e32b89fa5fd8ce8 | a41c5d644ea8fc111aa5843e6c1e588ce3a96a64 | refs/heads/master | 2020-03-07T02:44:04.957533 | 2018-08-23T03:51:23 | 2018-08-23T03:51:23 | 127,215,801 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 417 | cpp | #include <stdio.h>
class CMyClass{
public:
virtual void fun(){}
void fun(int){}
};
class ClassA{
public:
virtual void fun(){
printf("ClassA");
}
void fun2(int a){
printf("ClassA fun2");
}
};
class ClassB:public ClassA
{
public:
void fun(){//override
printf("ClassB");
}
void fun2(){//overwrite
printf("ClassB fun2");
}
};
void main(){
ClassA* pa=new ClassB;
pa->fun();
ClassB b;
b.fun2();
} | [
"[email protected]"
] | |
a056de01bb87d9e5b9924f59e58d4492ea6c7cc6 | 6e27d609be1f367dffe5fcdfdb579eddddfd5bc2 | /chapter03/06. NumbersInOrder.cpp | 4bc53fe45e486db792004352ba029d4037029a6a | [] | no_license | seanmoreton/ppp_cpp_stroustrup | f2b674eba52ba8e02865d670b2dd3eb9c0fee761 | e04c271bc53ef044c3e8d9d36ed8046bdbab784e | refs/heads/master | 2021-01-21T13:21:19.188920 | 2016-04-22T19:41:57 | 2016-04-22T19:41:57 | 55,440,119 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 929 | cpp | #include <iostream>
#include <string>
using namespace std;
int main()
{
int val1 = 0;
int val2 = 0;
int val3 = 0;
cout << "Enter three integers seperated by a space:\n";
cin >> val1 >> val2 >> val3;
cout << "Values inputted: " << val1 << ", " << val2 << ", " << val3 << endl;
int smallest;
int middle;
int largest;
if (val1 <= val2 && val1 <= val3)
{
smallest = val1;
if (val2 <= val3)
{
middle = val2;
largest = val3;
}
else
{
middle = val3;
largest = val2;
}
}
else if (val2 <= val1 && val2 <= val3)
{
smallest = val2;
if (val1 <= val3)
{
middle = val1;
largest = val3;
}
else
{
middle = val3;
largest = val1;
}
}
else
{
smallest = val3;
if (val1 <= val2)
{
middle = val1;
largest = val2;
}
else
{
middle = val2;
largest = val1;
}
}
cout << "Values sorted: " << smallest << ", " << middle << ", " << largest << endl;
}
| [
"[email protected]"
] | |
2884378ca620614cfc99da37836190eafa85a935 | bea2bee0bda9196803b953e51ca27289713506db | /include/Graph.h | 3f7adc7af6e04222f9677f44ca8590fb85520634 | [] | no_license | hthuynh2/Sava | a93094256146c8c3402d02412d9fd2e367014189 | a333bba8fae6708f59d8dee88f6f2199744f1c74 | refs/heads/master | 2021-03-22T03:26:45.439603 | 2017-12-03T19:09:13 | 2017-12-03T19:09:13 | 111,761,582 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 67,026 | h | #ifndef Graph_h
#define Graph_h
#include "Vertex.h"
#include "UDP.h"
#include "operations.h"
#include "master_scheduler.h"
#define OUTPUT_FILE_NAME "graph_output"
template <typename VertexType, typename MessageValue>
class Graph: public Graph_Base{
public:
Graph(){};
Graph(bool is_weighted_, bool is_directed_){
is_weighted = is_weighted_;
is_directed = is_directed_;
}; //<worker_id, VM id>
void init_graph(map<int,int>& worker_map, int master_vm_num);
void build_graph();
bool handle_input_line(set<string>& dest_vertex_set, set<string>& source_vertex_set, string& line, map<int, vector<string> >& msg_map, map<int,int>& fd_map);
bool handle_input_line_undirected(set<string>& dest_vertex_set, set<string>& source_vertex_set, string& line, map<int, vector<string> >& msg_map, map<int,int>& fd_map);
bool send_all_msg_in_build_buffer(int dest_worker_id, vector<string>& msg_v, map<int,int>& fd_map);
void send_end_iteration_msg_to_master(bool isDone);
void set_master_ip(string master_ip_);
string get_master_ip();
void set_worker_ip_map(map<int,int>& worker_map);
int get_num_worker();
int get_super_step();
void set_super_step(int super_step_);
void SendMessageTo(const string& dest_vertex, void* message_ptr) ;
string create_WM_msg(vector<string>& vertex_v, vector<MessageValue>& msg_value_v);
string MessageValue_to_String(MessageValue& val);
void String_to_MessageValue(string& str, MessageValue& val);
void handle_WB_msg_from_worker(int socket_fd);
void handle_WM_msg(int socket_fd);
void handle_MS_thread_handler(string str);
void handle_MS_msg(int socket_fd, string input_str);
void handle_MB_msg_from_master(int socket_fd, string input_str);
void handle_MR_msg(int socket_fd, string input_str);
void get_file();
void start_worker_listening_thread();
void set_total_vertices(int total);
int get_total_num_vertices();
void start_worker_listening_from_master_thread();
void VoteToHalt(string vertex_id);
void Reactivate(string vertex_id);
void run_iteration();
int64_t get_total_send();
int64_t get_total_receive();
string get_value_at_vertex(string input_vertex_id);
int get_num_vertices_local();
int get_num_edges_local();
/////
void Send_all_remain_msg();
void write_to_file();
void add_all_vertex_to_set(set<string>& output_container);
void get_all_vertex_value(map<string,string>& vertex_value_map);
int get_my_worker_id();
void write_graph_to_file();
void init_test_info(){
num_msg_receive_via_network = 0;
num_msg_send_via_network = 0;
num_msg_receive_directly = 0;
num_msg_send_directly = 0;
}
int64_t get_num_msg_receive_via_network(){
return num_msg_receive_via_network;
}
int64_t get_num_msg_send_via_network(){
return num_msg_send_via_network;
}
int64_t get_num_msg_receive_directly(){
return num_msg_receive_directly;
}
int64_t get_num_msg_send_directly(){
return num_msg_send_directly;
}
void Send_all_messages_to(int dest_worker_id);
void add_value_to_incoming_map(int& map_idx, string& dest_vertex_id_str, string& temp_val);
// typename map<string, EdgeValue>::iterator GetOutEdgeIterator_Start();
// typename map<string, EdgeValue>::iterator GetOutEdgeIterator_End();
////
//
//private:
std::hash<std::string> str_hash;
bool is_weighted;
bool is_directed;
int num_worker;
int super_step;
int my_worker_id;
string master_ip;
map<int,string> worker_ip_map; //<worker_id, worker ip>
map<string,VertexType> vertex_map; //<vertex_id, vertex> //Might need lock while building graph
map<int , map<string, vector<MessageValue> > > outgoing_msg_map ; // <dest_worker_id, <dest_vertex_id, out-msg-buffer> >
// map<int , int> outgoing_msg_count_map; //<dest_worker_id, number of msg waiting>
map<string, vector<MessageValue> > incoming_msg_maps[2]; //<vertex, vector<value> >
map<string, mutex> incoming_msg_locks[2];
set<string> inactive_vertices;
set<string> active_vertices;
bool send_any_msg;
bool is_running_iteration;
mutex is_running_iteration_lock;
bool is_building_graph;
mutex is_building_graph_lock;
bool is_handling_S_msg;
mutex is_handling_S_msg_lock;
int total_num_vertices;
map<int,int> current_iteration_fd_map;
int64_t num_msg_receive_via_network;
int64_t num_msg_send_via_network;
int64_t num_msg_receive_directly;
int64_t num_msg_send_directly;
// mutex vertex_map_lock;
// typename map<string, VertexType>::iterator GetVertexMapIterator_Start();
// typename map<string, VertexType>::iterator GetVertexMapIterator_End();
// bool is_stop; //Need Read write lock!
};
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::start_building_graph(string file_name){
// //Split and upload input files
// File_Manager f_mag;
// f_mag.split_file(file_name, NUM_WORKERS, INPUT_FILE_NAME);
// vector<string> local_files_name;
// for(int i = 0 ; i < NUM_WORKERS; i++){
// string str(INPUT_FILE_NAME);
// str += "a";
// str.push_back((char)('a' + i));
// local_files_name.push_back(str);
// }
//
// for(int i = 0 ; i < (int)file_name.size(); i++){
// string str = INPUT_FILE_NAME;
// str += int_to_string(i);
// write_at_client(local_files_name[i], str);
// }
//
// app_client_ptr->start_client_listener_thread();
// app_client_ptr->send_cb_msg_to_master(-1);
// return;
//}
////
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::insert_inactive_vertices(string id_){
// inactive_vertices.insert(id_);
// active_vertices.erase(id_);
//}
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::delete_inactive_vertices(string id_){
// inactive_vertices.erase(id_);
//}
//
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::insert_active_vertices(string id_){
// active_vertices.insert(id_);
// inactive_vertices.erase(id_);
//}
//
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::delete_active_vertices(string id_){
// active_vertices.erase(id_);
//}
//
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::delete_all_active_vertices(){
// active_vertices.erase(active_vertices.begin(), active_vertices.end());
//}
//
//template <typename VertexType, typename MessageValue>
//void Graph<VertexType,MessageValue>::delete_all_inactive_vertices(){
// inactive_vertices.erase(active_vertices.begin(), active_vertices.end());
//}
//template <typename VertexType, typename MessageValue>
//typename map<string, VertexType>::iterator Graph<VertexType,MessageValue>::GetVertexMapIterator_Start(){
// return vertex_map.begin();
//}
//
//template <typename VertexType, typename MessageValue>
//typename map<string, VertexType>::iterator Graph<VertexType,MessageValue>::GetVertexMapIterator_End(){
// return vertex_map.end();
//}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::write_graph_to_file(){
FILE* fp = fopen("graph_edges", "w");
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
if(it->second.out_going_edges.size() == 0){
string temp(it->first);
temp += "\n";
fwrite(temp.c_str(), sizeof(char), temp.size() , fp);
continue;
}
for(auto it1 = it->second.out_going_edges.begin(); it1 != it->second.out_going_edges.end(); it1++){
string temp(it->first);
temp += " "+ it1->first + "\n";
fwrite(temp.c_str(), sizeof(char), temp.size() , fp);
}
}
fclose(fp);
}
template <typename VertexType, typename MessageValue>
int64_t Graph<VertexType,MessageValue>::get_total_send(){
int64_t temp = 0;
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
temp += it->second.num_send;
}
return temp;
}
template <typename VertexType, typename MessageValue>
int64_t Graph<VertexType,MessageValue>::get_total_receive(){
int64_t temp = 0;
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
temp += it->second.num_receive;
}
return temp;
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_my_worker_id(){
return my_worker_id;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::get_all_vertex_value(map<string,string>& vertex_value_map){
for(auto it = vertex_map.begin(); it != vertex_map.end();it++){
vertex_value_map[it->first]=to_string(it->second.vertex_value);
}
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::add_all_vertex_to_set(set<string>& output_container){
for(auto it = vertex_map.begin(); it != vertex_map.end();it++){
output_container.insert(it->first);
}
}
template <typename VertexType, typename MessageValue>
string Graph<VertexType,MessageValue>::get_value_at_vertex(string input_vertex_id){
if(vertex_map.find(input_vertex_id) == vertex_map.end()){
return "";
}
return to_string(vertex_map[input_vertex_id].vertex_value);
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::write_to_file(){
FILE* fp = fopen(OUTPUT_FILE_NAME, "w");
string temp("Hello\n");
fwrite(temp.c_str(), sizeof(char), temp.size() , fp);
for(auto it = vertex_map.begin(); it!= vertex_map.end(); it++){
string val_str("");
val_str += it->second.vertex_id + " ";
val_str += to_string(it->second.vertex_value) + "\n";
fwrite(val_str.c_str(), sizeof(char), val_str.size() , fp);
}
fclose(fp);
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::init_graph(map<int,int>& worker_map, int master_vm_num){
membership_list_lock.lock();
for(auto it = worker_map.begin(); it != worker_map.end(); it++){
if(vm_info_map.find(it->second) == vm_info_map.end()){
cout << "Worker is not alive! Something is Wrong!\n";
membership_list_lock.unlock();
return;
}
else{
worker_ip_map[it->first] = vm_info_map[it->second].ip_addr_str;
if(it->second == my_vm_info.vm_num){
my_worker_id = it->first;
}
}
}
if(vm_info_map.find(master_vm_num) == vm_info_map.end()){
cout << "Master is not alive! Something is Wrong!\n";
return;
}
else{
master_ip = vm_info_map[master_vm_num].ip_addr_str;
}
membership_list_lock.unlock();
num_worker = NUM_WORKERS;
send_any_msg = false;
super_step = 0;
is_running_iteration = false;
is_building_graph = false;
is_handling_S_msg = false;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::build_graph(){
cout << "Inside Graph->buildgraph()\n";
string graph_file(INPUT_GRAPH_LOCAL) ;
set<string> dest_vertex_set;
set<string> source_vertex_set;
map<int, vector<string> > msg_map; //<worker_id, vector<msg> >
string line;
//Erase everything!!
// vertex_map.erase(vertex_map.begin(), vertex_map.end());
// outgoing_msg_map.erase(outgoing_msg_map.begin(), outgoing_msg_map.end());
// outgoing_msg_count_map.erase(outgoing_msg_count_map.begin(), outgoing_msg_count_map.end());
// incoming_msg_maps[0].erase(incoming_msg_maps[0].begin(), incoming_msg_maps[0].end());
// incoming_msg_maps[1].erase(incoming_msg_maps[1].begin(), incoming_msg_maps[1].end());
//
// Make connection to all other workers. Send them WB msg
map<int, int> fd_map; //<worker_id, socket>
string temp_wb_str("WB");
set<int> open_connection_set;
for(auto it = worker_ip_map.begin(); it != worker_ip_map.end(); it++){
if(it->first == my_worker_id){
fd_map[it->first] = -1;
continue;
}
int temp_fd = tcp_open_connection(it->second, WORKER_PORT);
if(temp_fd == -1){
cout << "build_graph: Cannot make connection\n";
//Close all connection
for(auto it1 = open_connection_set.begin(); it1 != open_connection_set.end(); it1++){
close(fd_map[*it1]);
}
return;
}
fd_map[it->first] = temp_fd;
open_connection_set.insert(it->first);
if(tcp_send_string(temp_fd, temp_wb_str) == -1){
//Close all connection
for(auto it1 = open_connection_set.begin(); it1 != open_connection_set.end(); it1++){
if(*it1 > 0)
close(fd_map[*it1]);
}
return;
}
}
cout << "Graph->buildgraph(): Erased old data\n";
ifstream file_stream(graph_file.c_str());
if (file_stream.is_open()){
while(getline(file_stream,line)){
if(line[0] <= '9' && line[0] >= '0' && line.size() > 0){
if(is_directed){
if(handle_input_line(dest_vertex_set, source_vertex_set, line, msg_map, fd_map) == false){
cout << "Graph->buildgraph(): Some error happen. Handle_input_line return false\n";
return;
}
}
else{
if(handle_input_line_undirected(dest_vertex_set, source_vertex_set, line, msg_map, fd_map) == false){
cout << "Graph->buildgraph(): Some error happen. Handle_input_line return false\n";
return;
}
}
}
// cout << line << '\n';
}
file_stream.close();
}
else{
cout << "Graph->buildgraph: Unable to open file";
}
cout << "Graph->buildgraph: Send remain source\n";
for(auto it = msg_map.begin(); it != msg_map.end();it++){
if(it->second.size() >0){
if(it->first == my_worker_id){
// cout << "Graph->buildgraph: send msg to itself. Something is wrong\n";
}
else{
// cout << "Graph->buildgraph: Send remain source\n";
send_all_msg_in_build_buffer(it->first, it->second, fd_map);
msg_map[it->first].erase(msg_map[it->first].begin(), msg_map[it->first].end());
}
}
}
// bool Graph<VertexType,MessageValue>::send_all_msg_in_build_buffer(int dest_worker_id, vector<int>& msg_v){
//Send dest_vertex
if(is_directed){
cout << "Graph->buildgraph: Start Sending dest\n";
for(auto it = dest_vertex_set.begin(); it != dest_vertex_set.end() ;it++){
if(source_vertex_set.find(*it) == source_vertex_set.end()){
int dest_worker_id = str_hash(*it) % num_worker;
if(dest_worker_id != my_worker_id){
string msg("");
msg += *it + "\n";
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99 ){
// send_all_msg_in_build_buffer(fd_map[dest_worker_id], msg_map[dest_worker_id]);
// cout << "Graph->buildgraph: Add dest msg buffer is full: start sending it\n";
send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id], fd_map);
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
else{
// cout << "Graph->buildgraph: Add dest vertex to local graph: vertex id = " << *it <<" \n";
// vertex_map_lock.lock();
vertex_map[*it].set_vertex_id(*it);
vertex_map[*it].init_vertex_val();
vertex_map[*it].setGraphPtr((Graph_Base*) this);
// vertex_map_lock.unlock();
}
}
}
cout << "Graph->buildgraph: Start Sending remained dest\n";
for(auto it = msg_map.begin(); it != msg_map.end();it++){
if(it->second.size() >0){
if(it->first == my_worker_id){
cout << "build graph: send msg to itself. Something is wrong\n";
}
else{
// send_all_msg_in_build_buffer(fd_map[it->first], it->second);
// cout << "Graph->buildgraph: Start sending remain dest to : " << it->first << "\n";
send_all_msg_in_build_buffer(it->first, it->second, fd_map);
msg_map[it->first].erase(msg_map[it->first].begin(), msg_map[it->first].end());
}
}
}
}
cout << "Graph->buildgraph: Finishing building graph. Send response to master\n";
string wb_msg("WB");
if(master_ip != my_vm_info.ip_addr_str){
int master_fd_temp = tcp_open_connection(master_ip, MASTER_APP_PORT);
if(master_fd_temp == -1){ //Maybe should wait for new master
cout << "build graph: Cannot make connection to master\n";
return;
}
tcp_send_string(master_fd_temp, wb_msg);
}
else{
cout << "Graph->buildgraph: Finishing building graph. Send reponse to itself\n";
master_scheduler_ptr->handle_WB_msg(-1, wb_msg);
}
cout << "Graph->buildgraph: DONE\n";
}
template <typename VertexType, typename MessageValue>
bool Graph<VertexType,MessageValue>::handle_input_line_undirected(set<string>& dest_vertex_set, set<string>& source_vertex_set, string& line, map<int, vector<string> >& msg_map, map<int,int>& fd_map)
{
if(line[0] > '9' || line[0] < '0'){
cout << "ERROR: Graph->handle_input_line: " << line;
return false;
}
// cout << "Inside: Graph->handle_input_line: " << line<<"\n";
stringstream iss(line);
string source, end, weight;
if(is_weighted == true){
iss >> source;
iss >> end;
iss >> weight;
source_vertex_set.insert(source);
int dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
// vertex_map_lock.lock();
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end, stoi(weight));
vertex_map[source].setGraphPtr((Graph_Base*) this);
// vertex_map_lock.unlock();
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end, stoi(weight));
}
}
else{
string msg("");
msg += source + " " + end + " " + weight + "\n";
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id],fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
string temp = source;
source = end;
end = temp;
source_vertex_set.insert(source);
dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end, stoi(weight));
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end, stoi(weight));
}
}
else{
string msg("");
msg += source + " " + end + " " + weight + "\n";
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id],fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
}
else{
iss >> source;
iss >> end;
source_vertex_set.insert(source);
int dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
// cout << "Graph->handle_input_line: Add vertex to local graph: " << source << " " << end <<"\n";
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end); //Might be wrong!!!
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end); //Might be wrong!!!
}
}
else{
string msg("");
msg += source + " " + end + "\n";
// cout << "Graph->handle_input_line: Add msg to queue " <<msg;
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
// cout << "Graph->handle_input_line: Queue is full. Start sending data: \n";
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id], fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
else{
// cout << "Graph->handle_input_line: Sent all msg in queue to : " << worker_ip_map[dest_worker_id]<<"\n";
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
string temp = source;
source = end;
end = temp;
source_vertex_set.insert(source);
dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
// cout << "Graph->handle_input_line: Add vertex to local graph: " << source << " " << end <<"\n";
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end); //Might be wrong!!!
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end); //Might be wrong!!!
}
}
else{
string msg("");
msg += source + " " + end + "\n";
// cout << "Graph->handle_input_line: Add msg to queue " <<msg;
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
// cout << "Graph->handle_input_line: Queue is full. Start sending data: \n";
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id], fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
else{
// cout << "Graph->handle_input_line: Sent all msg in queue to : " << worker_ip_map[dest_worker_id]<<"\n";
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
}
return true;
}
template <typename VertexType, typename MessageValue>
bool Graph<VertexType,MessageValue>::handle_input_line(set<string>& dest_vertex_set, set<string>& source_vertex_set, string& line, map<int, vector<string> >& msg_map, map<int,int>& fd_map)
{
if(line[0] > '9' || line[0] < '0'){
cout << "ERROR: Graph->handle_input_line: " << line;
return false;
}
// cout << "Inside: Graph->handle_input_line: " << line<<"\n";
stringstream iss(line);
string source, end, weight;
if(is_weighted == true){
iss >> source;
iss >> end;
iss >> weight;
source_vertex_set.insert(source);
if(source_vertex_set.find(end) == source_vertex_set.end()){
dest_vertex_set.insert(end);
}
int dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end, stoi(weight));
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end, stoi(weight));
}
}
else{
string msg("");
msg += source + " " + end + " " + weight + "\n";
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id],fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
}
else{
iss >> source;
iss >> end;
source_vertex_set.insert(source);
if(source_vertex_set.find(end) == source_vertex_set.end()){
dest_vertex_set.insert(end);
}
int dest_worker_id = str_hash(source) % num_worker;
if(worker_ip_map[dest_worker_id] == my_vm_info.ip_addr_str){
// cout << "Graph->handle_input_line: Add vertex to local graph: " << source << " " << end <<"\n";
if(vertex_map.find(source) == vertex_map.end() ){
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].add_edge(end); //Might be wrong!!!
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
}
else{
vertex_map[source].add_edge(end); //Might be wrong!!!
}
}
else{
string msg("");
msg += source + " " + end + "\n";
// cout << "Graph->handle_input_line: Add msg to queue " <<msg;
msg_map[dest_worker_id].push_back(msg);
if(msg_map[dest_worker_id].size() >= 99){
//Send all msg
// cout << "Graph->handle_input_line: Queue is full. Start sending data: \n";
if(send_all_msg_in_build_buffer(dest_worker_id, msg_map[dest_worker_id], fd_map) == false){
cout << "ERROR: Graph->handle_input_line: fail to send all msg\n";
return false;
}
else{
// cout << "Graph->handle_input_line: Sent all msg in queue to : " << worker_ip_map[dest_worker_id]<<"\n";
}
msg_map[dest_worker_id].erase(msg_map[dest_worker_id].begin(), msg_map[dest_worker_id].end());
}
}
}
return true;
}
template <typename VertexType, typename MessageValue>
bool Graph<VertexType,MessageValue>::send_all_msg_in_build_buffer(int dest_worker_id, vector<string>& msg_v, map<int,int>& fd_map){
// cout << "Inside: send_all_msg_in_build_buffer: Send to " << worker_ip_map[dest_worker_id]<<"\n";
if(msg_v.size() > 99){
cout << "send_all_msg_in_build_buffer: msg_v.size() > 99. Something is WRONG\n";
return false;
}
string msg("");
msg += int_to_string(msg_v.size());
for(int i = 0; i < (int) msg_v.size(); i++){
msg += msg_v[i];
}
while(tcp_send_string_with_size(fd_map[dest_worker_id], msg) == -1){ //MIGHT BE WRONG!!
cout << "send_all_msg_in_build_buffer: Cannot Send for 1st time\n";
int temp_fd = tcp_open_connection(worker_ip_map[dest_worker_id], WORKER_PORT);
if(temp_fd == -1){
cout << "send_all_msg_in_build_buffer: Cannot make connection\n";
return false;
}
fd_map[dest_worker_id] = temp_fd;
string temp_wb_str("WB");
if(tcp_send_string(temp_fd, temp_wb_str) == -1){
close(temp_fd);
fd_map[dest_worker_id] = -1;
return false;
}
cout << "send_all_msg_in_build_buffer: " << "made new connection\n";
}
// cout << "send_all_msg_in_build_buffer: Finish sending msg\n";
return true;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::run_iteration(){
cout << "Inside run_iteration\n";
send_any_msg = false;
////
if(super_step== 1){
cout << "run_iteration: First iteration. Set all vertices as active\n";
inactive_vertices.erase(inactive_vertices.begin(), inactive_vertices.end());
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
active_vertices.insert(it->first);
inactive_vertices.erase(it->first);
}
}
int map_idx = super_step%2;
cout << "run_iteration: incoming buffer idx = " << map_idx<<"\n";
int temp_count = 0;
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
if((incoming_msg_maps[map_idx].find(it->first) != incoming_msg_maps[map_idx].end()
&& incoming_msg_maps[map_idx][it->first].size() != 0)
|| active_vertices.find(it->first) != active_vertices.end() || inactive_vertices.find(it->first) ==active_vertices.end()){
// cout << "run_iteration: Start computing vertex id = " << it->first<<"\n";
// incoming_msg_locks[map_idx][it->first].lock(); //MIGHT NEED THIS
temp_count+=incoming_msg_maps[map_idx][it->first].size();
it->second.compute(incoming_msg_maps[map_idx][it->first]);
// incoming_msg_locks[map_idx][it->first].unlock();
// cout << "run_iteration: Finish computing vertex id = " << it->first<<"\n";
}
else{
cout << "run_iteration: Vertex with if = " << it->first<<" is inactive and not have any msg\n";
}
}
std::vector<std::thread> threads;
for(auto it = outgoing_msg_map.begin(); it != outgoing_msg_map.end(); it ++){
threads.push_back(thread(start_Send_all_messages_to, it->first, (Graph_Base*) this));
}
for (auto& th : threads) th.join();
////TESTING
int temp_count1 = 0;
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
if(incoming_msg_maps[map_idx].find(it->first) != incoming_msg_maps[map_idx].end() ){
temp_count1+=incoming_msg_maps[map_idx][it->first].size();
}
}
if(temp_count1 != temp_count){
cout << "run_iteration: WRONGGGGGGGGG\n\n\n\n\\n\n\n\n\n\n\n\nWRONGGGGGGGGG\n\n\n\n\n\n";
}
////TESTING
//Erase all used msg
incoming_msg_maps[map_idx].erase(incoming_msg_maps[map_idx].begin(), incoming_msg_maps[map_idx].end());
if(send_any_msg == false && active_vertices.empty()){
send_end_iteration_msg_to_master(true);
}
else{
send_end_iteration_msg_to_master(false);
}
is_running_iteration_lock.lock();
is_running_iteration = false;
is_running_iteration_lock.unlock();
}
void start_Send_all_messages_to(int dest_worker_id, Graph_Base* graph_ptr){
graph_ptr->Send_all_messages_to(dest_worker_id);
return;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::send_end_iteration_msg_to_master(bool isDone){
string msg("WR");
if(isDone){
msg += "1";
msg += to_string(super_step);
}
else{
msg += "0";
msg += to_string(super_step);
}
cout << "Inside send_end_iteration_msg_to_master: Send wr_msg to master msg= " << msg <<"\n";
if(my_vm_info.ip_addr_str !=master_ip ){
int master_fd = tcp_open_connection(master_ip, MASTER_APP_PORT);
if(master_fd == -1){
cout << "send_end_iteration_msg_to_master: Cannot send to master\n";
return;
}
tcp_send_string(master_fd, msg);
cout << "send_end_iteration_msg_to_master: Sent MR msg to master\n";
}
else{
cout << "send_end_iteration_msg_to_master: Sent MR msg to itself\n";
master_scheduler_ptr->handle_WR_msg(-1,msg);
}
return;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::set_master_ip(string master_ip_){
master_ip = master_ip_;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::set_worker_ip_map(map<int,int>& worker_map){
membership_list_lock.lock();
for(auto it = worker_map.begin(); it != worker_map.end(); it++){
if(vm_info_map.find(it->first) == vm_info_map.end()){
cout << "Worker is not alive! Something is Wrong!\n";
}
else{
worker_ip_map[it->first] = vm_info_map[it->first].ip_addr_str;
}
}
membership_list_lock.unlock();
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_num_worker(){
return (int) worker_ip_map.size();
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_super_step(){
return super_step;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::set_super_step(int super_step_){
super_step = super_step_;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::Send_all_messages_to(int dest_worker_id){
int num_dest_vertex = outgoing_msg_map[dest_worker_id].size();
if(num_dest_vertex == 0){
return ;
}
int fd = tcp_open_connection(worker_ip_map[dest_worker_id], WORKER_PORT);
if(fd == -1){
close(fd);
return ;
}
string wm_msg("WM");
if((super_step+1)%2 == 1){
wm_msg += "1";
}
else{
wm_msg += "0";
}
string num_dest_vertex_str = to_string(num_dest_vertex);
if(num_dest_vertex_str.size() < 8){
int temp_remain = 8 - num_dest_vertex_str.size();
string new_string("");
for(int i = 0 ; i < temp_remain; i++){
new_string += "0";
}
new_string += num_dest_vertex_str;
num_dest_vertex_str = new_string;
}
else{
cout << "OVERFLOW!!!\n";
}
wm_msg += num_dest_vertex_str;
if(tcp_send_string(fd, wm_msg) == -1){
close(fd);
return ;
}
total_send += 8 + 1;
for(auto it = outgoing_msg_map[dest_worker_id].begin(); it != outgoing_msg_map[dest_worker_id].end(); it++){
string dest_vertex_id = it->first;
string num_values = to_string(it->second.size()*sizeof(MessageValue));
string msg("");
msg += dest_vertex_id + " " + num_values + " ";
for(int i = 0 ; i < (int)it->second.size() ; i++){
msg += MessageValue_to_String(it->second[i]);
if(msg.size() >= 1000){
if(tcp_send_string(fd, msg) == -1){
close(fd);
outgoing_msg_map[dest_worker_id].erase(outgoing_msg_map[dest_worker_id].begin(), outgoing_msg_map[dest_worker_id].end());
return ;
}
msg = "";
total_send+=msg.size();
}
}
if(msg.size() > 0){
if(tcp_send_string(fd,msg) == -1){
close(fd);
outgoing_msg_map[dest_worker_id].erase(outgoing_msg_map[dest_worker_id].begin(), outgoing_msg_map[dest_worker_id].end()) ;
return ;
}
total_send+=msg.size();
}
}
int numbytes;
char buf[1];
//NEED TO DO: Might need to setsockopt!!!
if((numbytes = recv(fd, buf, 1, 0)) <= 0 ){
close(fd);
outgoing_msg_map[dest_worker_id].erase(outgoing_msg_map[dest_worker_id].begin(), outgoing_msg_map[dest_worker_id].end()) ;
return ;
}
else{
close(fd);
outgoing_msg_map[dest_worker_id].erase(outgoing_msg_map[dest_worker_id].begin(), outgoing_msg_map[dest_worker_id].end()) ;
return ;
}
}
void handle_value_msg(int map_idx, int dest_vertex_id, string str, Graph_Base* graph_ptr, int size_Msg_val){
if(str.size() % size_Msg_val != 0 ){
cout << "handle_value_msg: Somethign is WRONG\n";
}
int num_values = str.size() / size_Msg_val;
int offset = 0;
string dest_vertex_id_str = to_string(dest_vertex_id);
while(num_values > 0){
string temp_value_str = str.substr(offset, size_Msg_val);
offset += size_Msg_val;
graph_ptr->add_value_to_incoming_map(map_idx, dest_vertex_id_str, temp_value_str);
num_values--;
}
return;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_WM_msg(int socket_fd){
//NEED TO DO: MIGHT NEED TO SETSOCKOPT
cout <<"Inside handle_WM_msg\n";
int map_idx;
int num_dest_vertex;
int numbytes;
char buf[MAX_BUF_LEN];
total_receive += 2;
if((numbytes = recv(socket_fd, buf, 1, 0) ) <= 0 ){
cout << "handle_WM_msg: ERROR: Cannot receive 0a\n";
close(socket_fd);
return ;
}
else{
map_idx = buf[0] - '0';
total_receive++;
}
cout << "handle_WM_msg: map_idx = "<<map_idx<<"\n";
if((numbytes = recv(socket_fd, buf, 8, 0) ) < 8 ){
cout << "handle_WM_msg: ERROR:Cannot receive 0\n";
close(socket_fd);
return ;
}
else{
string temp(buf, numbytes);
num_dest_vertex = stoi(temp);
total_receive+=8;
}
cout << "handle_WM_msg: num_dest_vertex = "<<num_dest_vertex<<"\n";
// std::vector<std::thread> threads;
while(num_dest_vertex > 0){
int dest_vertex_id = 0;
while(1){
char c;
if((recv(socket_fd, &c, 1, 0)) <= 0){
cout << "handle_WM_msg:ERROR: Cannot receive 1\n";
close(socket_fd);
return ;
}
total_receive++;
if(c == ' ')
break;
dest_vertex_id = dest_vertex_id*10 + (c - '0');
}
int need_to_read_bytes = 0;
while(1){
char c;
if((recv(socket_fd, &c, 1, 0)) <= 0){
cout << "handle_WM_msg:ERROR: Cannot receive 2\n";
close(socket_fd);
return ;
}
total_receive++;
if(c == ' ')
break;
need_to_read_bytes = need_to_read_bytes*10 + (c - '0');
}
//Get msg
char* buf1 = (char*) malloc(need_to_read_bytes);
int numbyte;
int offset = 0;
int msg_len = need_to_read_bytes;
while(msg_len > 0){
int numbyte = recv(socket_fd,(void*) (buf1 + offset), msg_len, 0);
if(numbyte == -1){
cout << "handle_WM_msg:ERROR: Cannot receive 3\n";
close(socket_fd);
return;
}
total_receive += numbyte;
msg_len -= numbyte;
offset += numbyte;
}
string str(buf1, need_to_read_bytes);
// cout << "handle_WM_msg: Start creating thread for dest_id = " << dest_vertex_id << "\n";
if(str.size() % sizeof(MessageValue) != 0 ){
cout << "handle_value_msg: ERROR: Somethign is WRONG\n";
}
int num_values = str.size() / sizeof(MessageValue);
int offset1 = 0;
string dest_vertex_id_str = to_string(dest_vertex_id);
while(num_values > 0){
string temp_value_str = str.substr(offset1, sizeof(MessageValue));
offset1 += sizeof(MessageValue);
add_value_to_incoming_map(map_idx, dest_vertex_id_str, temp_value_str);
num_values--;
}
free(buf1);
num_dest_vertex--;
}
cout << "handle_WM_msg: DONE WITH num_dest_vertex = "<<num_dest_vertex<<"\n";
string reply("A");
tcp_send_string(socket_fd, reply);
close(socket_fd);
return ;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::add_value_to_incoming_map(int& map_idx, string& dest_vertex_id_str, string& temp_value_str){
MessageValue temp_val;
String_to_MessageValue(temp_value_str, temp_val);
incoming_msg_locks[map_idx][dest_vertex_id_str].lock();
int temp = incoming_msg_maps[map_idx][dest_vertex_id_str].size();
incoming_msg_maps[map_idx][dest_vertex_id_str].push_back(temp_val);
int temp1 = incoming_msg_maps[map_idx][dest_vertex_id_str].size();
num_msg_receive_via_network++;
incoming_msg_locks[map_idx][dest_vertex_id_str].unlock();
if(temp != 1+ temp1){
cout << "add_value_to_incoming_map: WRONGGGGG!!!!!\n\n\n\n\n\n\n\n\n\n!!!!WRONGGGGG!!!!!\n\n\n\n\n\n\n\n\n\n";
}
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::Send_all_remain_msg(){
cout << "Send_all_remain_msg: Start \n";
for(auto it = outgoing_msg_map.begin(); it != outgoing_msg_map.end() ;it++){
// cout << "Send_all_remain_msg: Here1 \n";
int dest_worker_id = it->first;
if(dest_worker_id == my_worker_id){
cout << "Send_all_remain_msg: Send to itself. Something it wrong\n";
}
else if(it->second.size() > 0){
// cout << "Send_all_remain_msg: Here2 \n";
send_any_msg = true;
vector<string> vertex_v;
vector<MessageValue> msg_value_v;
for(auto it2 = it->second.begin(); it2 != it->second.end(); it2++){
// cout << "Send_all_remain_msg: Here3 \n";
for(auto it1 = it2->second.begin(); it1 != it2->second.end(); it1++){
// cout << "Send_all_remain_msg: Here4 \n";
// map<int , map<string, vector<MessageValue> > > outgoing_msg_map ; // <dest_worker_id, <dest_vertex_id, out-msg-buffer> >
// if(it2 == NULL){
// cout << "Send_all_remain_msg: Here4a \n";
// }
string t = it2->first;
// cout << "Send_all_remain_msg: Here4b : " << t<<"\n";
vertex_v.push_back(t);
// cout << "Send_all_remain_msg: Here5 \n";
msg_value_v.push_back(*it1);
// cout << "Send_all_remain_msg: Here6 : " << *it1<<" \n";
}
}
string msg_m = create_WM_msg(vertex_v, msg_value_v);
// cout << "Send_all_remain_msg: "<< msg_m<<"\n";
while(tcp_send_string_with_size(current_iteration_fd_map[dest_worker_id], msg_m) == -1){ //MIGHT BE WRONG!!
int temp_fd = tcp_open_connection(worker_ip_map[dest_worker_id], WORKER_PORT);
if(temp_fd == -1){
cout << "SendMessageTo: Cannot make connection\n";
return ;
}
current_iteration_fd_map[dest_worker_id] = temp_fd;
string temp_wm_str("WM");
if(tcp_send_string(temp_fd, temp_wm_str) == -1){
close(temp_fd);
current_iteration_fd_map[dest_worker_id] = -1;
return ;
}
cout << "SendMessageTo: " << "made new connection\n";
}
// cout << "Send_all_remain_msg: Here7 \n";
outgoing_msg_map[it->first].erase(outgoing_msg_map[it->first].begin(), outgoing_msg_map[it->first].end());
// cout << "Send_all_remain_msg: Here8 \n";
// outgoing_msg_count_map[dest_worker_id] = 0;
// cout << "Send_all_remain_msg: Here9 \n";
}
// cout << "Send_all_remain_msg: Here10 \n";
}
cout << "Send_all_remain_msg: Done \n";
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::SendMessageTo(const string& dest_vertex, void* message_ptr){
if(message_ptr == NULL){
cout << "SendMessageTo: msg_ptr =NULL\n";
return;
}
MessageValue* msg_ptr = (MessageValue*) message_ptr;
MessageValue msg = * msg_ptr;
send_any_msg = true;
int dest_worker_id = str_hash(dest_vertex) % num_worker;
string dest_worker_ip = worker_ip_map[dest_worker_id];
// cout <<"SendMessageTo: dest_id = " << dest_vertex << " || msg = " << msg<<"\n";
if(dest_worker_id == my_worker_id){
//MOVE MSG TO MSG QUEUE
int map_idx = (super_step + 1) %2;
incoming_msg_locks[map_idx][dest_vertex].lock();
incoming_msg_maps[map_idx][dest_vertex].push_back(msg);
num_msg_send_directly ++;
num_msg_receive_directly ++;
incoming_msg_locks[map_idx][dest_vertex].unlock();
return;
}
// map<string, vector<MessageValue> > outgoing_msg_map ; //<dest_vertex_id, out-msg-buffer>
num_msg_send_via_network++;
outgoing_msg_map[dest_worker_id][dest_vertex].push_back(msg);
// outgoing_msg_count_map[dest_worker_id]++;
// if(outgoing_msg_count_map[dest_worker_id] == OUT_GOING_MSG_BUF_SIZE){
// vector<string> vertex_v;
// vector<MessageValue> msg_value_v;
// for(auto it = outgoing_msg_map[dest_worker_id].begin(); it != outgoing_msg_map[dest_worker_id].end(); it++){
// for(auto it1 = it->second.begin(); it1 != it->second.end(); it1++){
// vertex_v.push_back(it->first);
// msg_value_v.push_back(*it1);
// }
// }
// string msg_m = create_WM_msg(vertex_v, msg_value_v);
// ////
// while(tcp_send_string_with_size(current_iteration_fd_map[dest_worker_id], msg_m) == -1){ //MIGHT BE WRONG!!
// int temp_fd = tcp_open_connection(worker_ip_map[dest_worker_id], WORKER_PORT);
// if(temp_fd == -1){
// cout << "SendMessageTo: Cannot make connection\n";
// return ;
// }
// current_iteration_fd_map[dest_worker_id] = temp_fd;
// string temp_wm_str("WM");
// if(tcp_send_string(temp_fd, temp_wm_str) == -1){
// close(temp_fd);
// current_iteration_fd_map[dest_worker_id] = -1;
// return ;
// }
// cout << "SendMessageTo: " << "made new connection\n";
// }
//
// outgoing_msg_map[dest_worker_id].erase(outgoing_msg_map[dest_worker_id].begin(), outgoing_msg_map[dest_worker_id].end());
// outgoing_msg_count_map[dest_worker_id] = 0;
// }
}
template <typename VertexType, typename MessageValue>
string Graph<VertexType,MessageValue>::create_WM_msg(vector<string>& vertex_v, vector<MessageValue>& msg_value_v){
// string msg("WM");
string msg("");
if(vertex_v.size() > 99 || vertex_v.size() == 0){
cout << "create_M_msg: ERROR: vertex_v has size > 99 or empty!!!!. Size = " << vertex_v.size() << "\n";
return msg;
}
if((super_step +1)%2 == 0){
msg += "0";
}
else{
msg += "1";
}
// msg += to_string(vertex_v.size());
msg += int_to_string(vertex_v.size());
for(int i = 0 ; i < (int) vertex_v.size() ;i++){
msg += vertex_v[i] ;
if(i != (int)vertex_v.size() -1){
msg += " ";
}
else{
msg += "\n";
}
// cout << "create_WM_msg: vertex_v...: " << vertex_v[i]<<"\n";
}
for(int i = 0; i < (int) msg_value_v.size(); i++){
string msg_val_str = MessageValue_to_String(msg_value_v[i]);
msg += msg_val_str;
// cout << "create_WM_msg: message_v...: " << msg_value_v[i]<<"\n";
}
msg += "\n";
// cout <<"create_WM_msg: " << msg;
//No '\n' at the end!!!!
return msg;
}
template <typename VertexType, typename MessageValue>
string Graph<VertexType,MessageValue>::MessageValue_to_String(MessageValue& val){
char buf[sizeof(MessageValue)];
memcpy((void*)(buf), (void*)(&val), sizeof(MessageValue));
string str(buf, sizeof(MessageValue));
return str;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::String_to_MessageValue(string& str, MessageValue& val){
if(str.size() != sizeof(MessageValue)){
cout << "String_to_MessageValue: Str has size " << str.size() << "\n";
return;
}
memcpy((void*)(&val), (void*)(str.c_str()), sizeof(MessageValue));
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_WB_msg_from_worker(int socket_fd){
cout << "Inside handle_WB_msg_from_worker\n";
//NEED TO DO: Set sockopt.
struct timeval timeout_tv;
timeout_tv.tv_sec = 30; //in sec
timeout_tv.tv_usec = 0;
setsockopt(socket_fd, SOL_SOCKET, SO_RCVTIMEO,(struct timeval *)&timeout_tv,sizeof(struct timeval));
while(1){
string msg = tcp_receive_str(socket_fd);
if(msg.size() < 2){
close(socket_fd);
cout << "handle_WB_msg_from_worker: Cannot receive. Return\n";
return;
}
if(msg[0] > '9' || msg[0] < '0' ||msg[1] > '9' || msg[1] < '0' ){
cout << "Inside handle_WB_msg_from_worker: Error with number vertices\n";
close(socket_fd);
return;
}
int num_vertices = 0;
num_vertices = (msg[0] - '0')*10 + (msg[1] - '0');
if(num_vertices <= 0){
cout << "handle_WB_msg_from_worker: Number of vertices = 0. Something is wrong" <<"\n";
close(socket_fd);
continue;
}
else{
// cout << "handle_WB_msg_from_worker: Number of vertices = " << num_vertices <<"\n";
}
string str = msg.substr(2);
std::stringstream ss(str.c_str());
std::string temp_str;
while(getline(ss, temp_str, '\n')){
stringstream iss(temp_str.c_str());
string source , end, weight;
iss >> source;
iss >> end;
iss >> weight;
// cout << "handle_WB_msg_from_worker: " << source << " " << end << " " << weight<<"\n";
vertex_map[source].set_vertex_id(source);
vertex_map[source].init_vertex_val();
vertex_map[source].setGraphPtr((Graph_Base*) this);
incoming_msg_locks[0][source].lock();
incoming_msg_locks[0][source].unlock();
incoming_msg_locks[1][source].lock();
incoming_msg_locks[1][source].unlock();
if(end.size() == 0 && weight.size() == 0){
// cout << "handle_WB_msg_from_worker: receive just source\n";
num_vertices --;
continue;
}
if(is_weighted == false){
// cout << "handle_WB_msg_from_worker: Added edge with source, end = " << source << ", " << end <<"\n";
vertex_map[source].add_edge(end);
num_vertices --;
}
else{
if(weight.size() == 0){
cout << "Inside handle_B_msg: Weight.size() == 0. Something is WRONG!!!!\n";
close(socket_fd);
return;
}
vertex_map[source].add_edge(end, stoi(weight));
num_vertices --;
}
}
if(num_vertices != 0 ){
cout << "handle_WB_msg_from_worker: Number of vertices is NOT 0. Something is wrong" <<"\n";
close(socket_fd);
return;
}
// cout << "Inside handle_WB_msg_from_worker:DONE!!!\n";
}
}
//
//void worker_listening_thread(Graph_Base* graph_ptr){
// int sockfd, new_fd; // listen on sock_fd, new connection on new_fd
// struct addrinfo hints, *servinfo, *p;
// struct sockaddr_storage their_addr; // connector's address information
// socklen_t sin_size;
//
// int worker_port_int= stoi(WORKER_PORT);
// string my_worker_port = to_string(my_port_offset + worker_port_int);
//
// // string port = my_worker_port;
// sockfd = tcp_bind_to_port(my_worker_port);
//
// if (listen(sockfd, 10) == -1) {
// perror("listen");
// exit(1);
// }
// while(1){
// sin_size = sizeof their_addr;
// new_fd = accept(sockfd, (struct sockaddr *)&their_addr, &sin_size);
// if (new_fd == -1) {
// perror("accept");
// continue;
// }
// thread new_thread(worker_handler_thread, new_fd, graph_ptr);
// new_thread.detach();
// }
//}
//
//void worker_handler_thread(int socket_fd, Graph_Base* graph_ptr){
// cout << "Inside worker_handler_thread\n";
// int numbytes = 0;
// char buf[MAX_BUF_LEN];
// struct timeval timeout_tv;
// timeout_tv.tv_sec = 10; //in sec
// timeout_tv.tv_usec = 0;
// setsockopt(socket_fd, SOL_SOCKET, SO_RCVTIMEO,(struct timeval *)&timeout_tv,sizeof(struct timeval));
//
// if((numbytes = recv(socket_fd, buf, 1, 0)) <= 0 ){
// close(socket_fd);
// cout << "Receive error!!\n";
// return;
// }
// else if(buf[0] == 'B'){
// graph_ptr->handle_B_msg_from_worker(socket_fd);
// }
// else if(buf[0] == 'M'){
// graph_ptr->handle_M_msg(socket_fd);
// }
// else{
// cout << "Inside worker_handler_thread: Receive Undefined msg. Something is WRONG!!!\n";
// }
// close(socket_fd);
// return;
//}
//
//void worker_listening_from_master_thread(Graph_Base* graph_ptr){ //Listen msg from master
// int sockfd, new_fd; // listen on sock_fd, new connection on new_fd
// struct addrinfo hints, *servinfo, *p;
// struct sockaddr_storage their_addr; // connector's address information
// socklen_t sin_size;
//
// int worker_port_int= stoi(WORKER_MASTER_PORT);
// string my_worker_port = to_string(my_port_offset + worker_port_int);
// // cout << "Stab listening on port "<< my_stab_port<<"\n";
//
// // string port = my_worker_port;
// sockfd = tcp_bind_to_port(my_worker_port);
//
// if (listen(sockfd, 10) == -1) {
// perror("listen");
// exit(1);
// }
// while(1){
// sin_size = sizeof their_addr;
// new_fd = accept(sockfd, (struct sockaddr *)&their_addr, &sin_size);
// if (new_fd == -1) {
// perror("accept");
// continue;
// }
// thread new_thread(handle_master_msg_thread, new_fd, graph_ptr);
// new_thread.detach();
// }
//}
//
//
//void handle_master_msg_thread(int socket_fd, Graph_Base* graph_ptr){
// cout << "Inside handle_master_msg_thread\n";
// int numbytes = 0;
// char buf[MAX_BUF_LEN];
// struct timeval timeout_tv;
// timeout_tv.tv_sec = 10; //in sec
// timeout_tv.tv_usec = 0;
// setsockopt(socket_fd, SOL_SOCKET, SO_RCVTIMEO,(struct timeval *)&timeout_tv,sizeof(struct timeval));
//
// if((numbytes = recv(socket_fd, buf, 1, 0)) <= 0 ){
// close(socket_fd);
// cout << "Receive error!!\n";
// return;
// }
// else if(buf[0] == 'R'){
// graph_ptr->handle_R_msg(socket_fd, "");
// }
// else if(buf[0] == 'B'){
// graph_ptr->handle_B_msg_from_master(socket_fd, "");
// }
// else if(buf[0] == 'S'){
// //Stop all threads that is running!!!!!
// graph_ptr->handle_S_msg(socket_fd, "");
// }
// else if(buf[0] == 'G'){
// string msg = to_string(graph_ptr->get_num_vertices_local());
// tcp_send_string(socket_fd, msg);
// return;
// }
// else if(buf[0] == 'V'){
// if((numbytes = recv(socket_fd, buf,MAX_BUF_LEN, 0)) <= 0 ){
// cout << "handle_master_msg_thread: Cannot receive msg\n";
// }
// else{
// string str(buf,numbytes);
// graph_ptr->set_total_vertices(stoi(str));
// }
// }
// else{
// cout << "Inside handle_master_msg_thread: Receive Undefined msg. Something is WRONG!!!\n";
// }
// close(socket_fd);
// return;
//}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_MS_thread_handler(string str){ //"1...." or "0..."
//Note: Might need to also stop receiving all msg from other workers
while(1){
is_handling_S_msg_lock.lock();
if(is_handling_S_msg == false){
is_handling_S_msg = true;
is_handling_S_msg_lock.unlock();
break;
}
is_handling_S_msg_lock.unlock();
}
while(1){
is_building_graph_lock.lock();
if(is_building_graph == false){
is_building_graph_lock.unlock();
break;
}
is_building_graph_lock.unlock();
}
while(1){
is_running_iteration_lock.lock();
if(is_running_iteration == false){
is_running_iteration_lock.unlock();
break;
}
is_running_iteration_lock.unlock();
}
int cur_num = str[0] - '0';
if(cur_num != 0 && cur_num != 1){
cout << "handle_MS_thread_handler: Receive Weird msg 1\n";
is_handling_S_msg_lock.lock();
is_handling_S_msg = false;
is_handling_S_msg_lock.unlock();
return;
}
string temp_str = str.substr(1);
stringstream iss(temp_str.c_str());
int num_workers = NUM_WORKERS;
string temp_master_id;
iss >> temp_master_id;
map<int, int> worker_map; //<worker_id, VM id>
int count = 0;
string worker_id_str;
membership_list_lock.lock();
cout << "handle_MS_thread_handler: Start initing workers\n";
while(num_workers > 0){
iss >> worker_id_str;
int worker_id = stoi(worker_id_str);
if(vm_info_map.find(worker_id) == vm_info_map.end()){
cout << "handle_MS_thread_handler: New workers are not alive\n";
break;
}
else{
worker_ip_map[count] = vm_info_map[worker_id].ip_addr_str;
}
count++;
num_workers--;
}
cout << "handle_MS_thread_handler: Finish initing workers\n";
master_ip = vm_info_map[stoi(temp_master_id)].ip_addr_str;
membership_list_lock.unlock();
super_step = 0;
is_handling_S_msg_lock.lock();
is_handling_S_msg = false;
is_handling_S_msg_lock.unlock();
return;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_MS_msg(int socket_fd, string input_str){
string ms_msg;
int numbytes;
char buf[MAX_BUF_LEN];
if(input_str == "" ){
if((numbytes = recv(socket_fd, buf,MAX_BUF_LEN, 0)) <= 0 ){
cout << "handle_R_msg: Receive error!!\n";
return;
}
ms_msg = string(buf, numbytes);
}
else{
ms_msg = input_str.substr(2); //"MS..."
}
thread new_thread(run_handle_MS_thread_handler_thread,(Graph_Base*)this, ms_msg);
new_thread.detach();
}
//
//void run_handle_MS_thread_handler_thread(Graph_Base* graph_ptr, string s_msg){
// graph_ptr->handle_S_thread_handler(s_msg);
//}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_MB_msg_from_master(int socket_fd, string input_str){
cout << "Inside handle_MB_msg_from_master: "<< input_str<<"\n";
is_building_graph_lock.lock();
if(is_building_graph == false){
cout << "Start building graph\n";
is_building_graph = true;
is_building_graph_lock.unlock();
thread new_thread(start_build_graph_thread, (Graph*) this);
new_thread.detach();
}
else{
is_building_graph_lock.unlock();
cout << "Create duplicate B msg from master. Something is wrong!!\n";
}
}
//void start_build_graph_thread(Graph_Base* graph_ptr){
//// graph_ptr->build_graph();
//}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::handle_MR_msg(int socket_fd, string input_str){
int numbytes = 0;
char buf[MAX_BUF_LEN];
string str;
cout << "Inside handle_MR_msg\n";
if(input_str == "" ){
if((numbytes = recv(socket_fd, buf,MAX_BUF_LEN, 0)) <= 0 ){
cout << "handle_MR_msg: Receive error!!\n";
return;
}
str = string(buf, numbytes);
}
else{
str = input_str.substr(2); //"MR..."
}
cout << "handle_MR_msg: msg = " << str <<"\n";
int new_super_step = stoi(str);
cout << "handle_MR_msg: receive super_step_num = " << new_super_step <<"\n";
if(new_super_step != super_step +1){
cout << "handle_MR_msg: ERROR: New super step=" << new_super_step << " cur_super_step = " << super_step << "!!\n";
return;
}
is_running_iteration_lock.lock();
if(is_running_iteration == true){
is_running_iteration_lock.unlock();
cout << "handle_MR_msg: Receive R msg while running iteration. Something is WRONG!!\n";
return;
}
is_running_iteration = true;
is_running_iteration_lock.unlock();
super_step = new_super_step;
cout << "handle_MR_msg: Start new iteration with superstep = " << super_step <<"\n";
thread new_thread(start_run_iteration_thread, (Graph_Base*) this);
new_thread.detach();
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::get_file(){
string file_name(INPUT_FILE_NAME);
file_name += int_to_string(my_worker_id);
read_at_client(file_name, INPUT_GRAPH_LOCAL);
}
template <typename VertexType, typename MessageValue>
string Graph<VertexType,MessageValue>::get_master_ip(){
return master_ip;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::start_worker_listening_thread(){
thread new_thread(worker_listening_thread, (Graph_Base*)this);
new_thread.detach();
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::start_worker_listening_from_master_thread(){
thread new_thread(worker_listening_from_master_thread, (Graph_Base*) this);
new_thread.detach();
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_num_vertices_local(){
return vertex_map.size();
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_num_edges_local(){
int total_edge = 0;
for(auto it = vertex_map.begin(); it != vertex_map.end(); it++){
total_edge += it->second.out_going_edges.size();
}
return total_edge;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::set_total_vertices(int total){
total_num_vertices = total;
}
template <typename VertexType, typename MessageValue>
int Graph<VertexType,MessageValue>::get_total_num_vertices(){
return total_num_vertices;
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::VoteToHalt(string vertex_id){
inactive_vertices.insert(vertex_id);
active_vertices.erase(vertex_id);
}
template <typename VertexType, typename MessageValue>
void Graph<VertexType,MessageValue>::Reactivate(string vertex_id){
inactive_vertices.erase(vertex_id);
active_vertices.insert(vertex_id);
}
//
#endif
| [
"[email protected]"
] | |
42fb5cb269cc220cda3a391512518d0dabcf8b8e | 15df5a5837fcd8b4dc90d28a470ecbedf104f915 | /Codeforces/Almost Arithmetical Progression.cpp | 47466fd335d070749839de3f90f1351281e87b19 | [] | no_license | karim19mohamed/Competitive-Programming-Trainning | 888e05551dfd5285811143936360e9d3aee039ad | 27372dd610b57803a79115c4166675fbf1b1c5c2 | refs/heads/master | 2022-05-08T05:33:49.243995 | 2022-04-27T06:25:14 | 2022-04-27T06:25:14 | 244,510,424 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 963 | cpp | #include <iostream>
#include <stdio.h>
#include <cmath>
using namespace std;
int n;
long long arr[4009],di[1000009],ans,a,c,d;
int b;
int main()
{
scanf("%d",&n);
for (int i=0;i<n;i++){
scanf("%lld",&arr[i]);
if (i>0){
if (b==0 && arr[i-1]<=arr[i]){
a=arr[i-1];
d=arr[i];
b=1;
c=2;
}else if (b==1){
if (a==arr[i] && d==arr[i-1]){
c++;
b=3;
}else{
b=2;
}
}else if (b==3){
if (d==arr[i] && a==arr[i-1]){
c++;
b=1;
}else{
b=2;
}
}else if (b==2){
ans=max(ans,c);
b=0;
c=0;
}
}
}
ans=max(ans,c);
printf("%lld\n",ans);
return 0;
}
| [
"[email protected]"
] | |
6b7151ce894bc9205dcacb00e6f616fcbd144c87 | 9f3ebb254a9f630add64997a64ddfe0f68f26769 | /color-mixing2/color-mixing2.ino | b66b8b643478510172c6efdb62ae716025599ac6 | [] | no_license | vjuranek/arduino-playground | a42f483b8a288b1b69cfc06c5614aaf5847b32c5 | d4867d08f218d6876b35e484185255ca8a9117cf | refs/heads/master | 2021-05-01T07:51:41.246935 | 2020-03-03T21:51:24 | 2020-03-03T21:51:24 | 121,166,548 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 936 | ino | const int redIn = 2;
const int blueIn = 3;
const int greenIn = 4;
const int redPin = 9;
const int bluePin = 10;
const int greenPin = 11;
int pressedRed = 0;
int pressedBlue = 0;
int pressedGreen = 0;
void setup() {
Serial.begin(9600);
pinMode(redIn, INPUT);
pinMode(blueIn, INPUT);
pinMode(greenIn, INPUT);
pinMode(redPin, OUTPUT);
pinMode(bluePin, OUTPUT);
pinMode(greenPin, OUTPUT);
}
void loop() {
if (digitalRead(redIn)) {
pressedRed = pressedRed + 32;
if (pressedRed > 255) {
pressedRed = 0;
}
}
if (digitalRead(blueIn)) {
pressedBlue = pressedBlue + 32;
if (pressedBlue > 255) {
pressedBlue = 0;
}
}
if (digitalRead(greenIn)) {
pressedGreen = pressedGreen + 32;
if (pressedGreen > 255) {
pressedGreen = 0;
}
}
delay(100);
analogWrite(redPin, pressedRed);
analogWrite(bluePin, pressedBlue);
analogWrite(greenPin, pressedGreen);
}
| [
"[email protected]"
] | |
98c6d4b30ba768d42217d8e6e54c90d2b0df9e3d | f50073efa52f136df19f4fdc58a33633da847c08 | /Ams_Win_New/FRM_FIND_DB_POS.cpp | 9ce0abbaae27fbe9abff5655c9ebf6581930017b | [] | no_license | pavelaltman/ams_src | 3d927a589c0fe216989b794b488ed0edac74d65d | 46b400ca1f70975c520d4ff3c852e6ab3b7d8235 | refs/heads/master | 2020-06-01T05:41:03.427063 | 2015-04-25T13:11:21 | 2015-04-25T13:11:21 | 34,567,690 | 0 | 0 | null | null | null | null | WINDOWS-1251 | C++ | false | false | 19,253 | cpp | //---------------------------------------------------------------------------
#include "AMS_HDR.H"
#pragma hdrstop
#include "FRM_FIND_DB_POS.h"
#include "DAT_MOD.h"
//---------------------------------------------------------------------------
#pragma package(smart_init)
#pragma link "Oracle"
#pragma link "AmsInput"
#pragma link "AmsInputDate"
#pragma link "AmsInputInt"
#pragma link "AmsInputStr"
#pragma link "AmsInputSum"
#pragma resource "*.dfm"
TFrmFindDbPos *FrmFindDbPos;
//---------------------------------------------------------------------------
__fastcall TFrmFindDbPos::TFrmFindDbPos(TComponent* Owner)
: TForm(Owner)
{
ActInput=NULL;
SqlFormed = false;
CurrInd = -1;
Dirty = false;
AIStr->AmsPromptMaxLen=0;
AIDate->AmsPromptMaxLen=0;
AIInt->AmsPromptMaxLen=0;
AISum->AmsPromptMaxLen=0;
AIStr->AmsPromptLen=0;
AIDate->AmsPromptLen=0;
AIInt->AmsPromptLen=0;
AISum->AmsPromptLen=0;
AIStr->AmsEnabled = false;
AIDate->AmsEnabled = false;
AIInt->AmsEnabled = false;
AISum->AmsEnabled = false;
}
//---------------------------------------------------------------------------
bool TFrmFindDbPos::FindDbPos(bool FindNext, int& ResCatId,
AnsiString& ResArt, int& ResVer)
{
//
bool Res = false;
if (FindNext)
{
if (SqlFormed)
{
if (!OQ->Eof)
{
ResCatId = OQ->FieldAsInteger(0);
ResArt = OQ->FieldAsString(1);
ResVer = OQ->FieldAsInteger(2);
OQ->Next();
Res = true;
}
else
{
if (AskMessage("Поиск завершен. Начинать заново?")== ID_YES)
{
ExecSQL(OQ,"Поиск позиции БД");
Res = FindDbPos(true,ResCatId,ResArt,ResVer);
}
}
}
}
else
{
if (ShowModal()==1)
{
FormSqlQuery();
ExecSQL(OQ, "Поиск позиции БД");
Res = FindDbPos(true,ResCatId,ResArt,ResVer);
}
}
return Res;
}
//---------------------------------------------------------------------------
void TFrmFindDbPos::Prepare(TFldsDescr* FldsDescr_, const AnsiString& DbName_)
{
DbName = DbName_;
FldsDescr = FldsDescr_;
SSearchDescr SD;
LBFieldsNames->Items->Clear();
WhatLookingFor.clear();
for (int i = 0 ; i< FldsDescr->Count(); i++)
{
if ( !((*FldsDescr)[i].DefOpt & Hidden) && !((*FldsDescr)[i].DispOpt & Hidden))
{
SD.FldNo=i;
SD.Type=(*FldsDescr)[i].Type;
if (SD.Type==aftStr)
{
SD.EqSign = 3;
SD.CmpWhat="%";
}
else
{
SD.EqSign = 0;
SD.CmpWhat="";
}
LBFieldsNames->Items->Add((*FldsDescr)[i].Alias);
WhatLookingFor.push_back(SD);
}
}
CurrInd=-1;
LBFieldsNames->ItemIndex=0;
CheckChange();
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::CBFieldsNamesChange(TObject *Sender)
{
if (CurrInd != -1 && Dirty)
{
if (AskMessage("Сохранить измения?")==ID_YES)
{
SbSaveClick(this);
}
}
int II= LBFieldsNames->ItemIndex;
CurrInd = II;
SSearchDescr* SD = &WhatLookingFor[II];
if (II !=-1)
{
if (WhatLookingFor[II].Type ==aftStr)
{
ChBCaseSensive->Visible = true;
if (RGSign->Items->Count <4)
RGSign->Items->Add("~ Приблизительно равно");
}
else
{
ChBCaseSensive->Visible = false;
if (RGSign->Items->Count >3)
RGSign->Items->Delete(3);
}
TAmsInput* NewInput;
switch (WhatLookingFor[II].Type)
{
case aftInt:
NewInput = AIInt;
break;
case aftSumma:
NewInput = AISum;
break;
case aftStr:
NewInput = AIStr;
break;
case aftDate:
NewInput = AIDate;
break;
}
if (ActInput != NewInput)
{
if (ActInput)
{
ActInput->Visible= false;
ActInput->AmsEnabled= false;
}
ActInput = NewInput;
ActInput->Visible = true;
ActInput->AmsEnabled= true;
}
if (WhatLookingFor[II].Clear)
{
ActInput->Clear();
if (WhatLookingFor[II].Type == aftStr)
RGSign->ItemIndex = acsAlmost;
else
RGSign->ItemIndex = acsEqual;
}
else
{
ActInput->SetDefaultVal(WhatLookingFor[II].CmpWhat);
RGSign->ItemIndex = SD->EqSign;
ChBCaseSensive->Checked = SD->CaseSens;
}
}
}
//---------------------------------------------------------------------------
void TFrmFindDbPos::FormSqlQuery()
{
AnsiString S= " select CATID, ARTICLE, VER from "+BaseUserName+"."+
DbName+" D where ";
bool FirstTime = true;
OQ->DeleteVariables();
for (unsigned int i = 0; i<WhatLookingFor.size(); i++)
{
if (!WhatLookingFor[i].Clear)
{
SSearchDescr* SD = & WhatLookingFor[i];
SFldOpt* FO = & ((*FldsDescr)[SD->FldNo]);
if (FirstTime)
FirstTime = false;
else
S+=" AND ";
AnsiString Sign;
AnsiString CmpWhat = "CMP_WHAT"+IntToStr(i);
switch (SD->EqSign)
{
case acsAlmost:
Sign = " LIKE :"+CmpWhat;
break;
case acsEqual:
Sign = " = :"+CmpWhat;
break;
case acsMore:
Sign = " > :"+CmpWhat;
break;
case acsLess:
Sign = " < :"+CmpWhat;
break;
}
switch (SD->Type)
{
case aftStr:
OQ->DeclareVariable(CmpWhat, otString);
if (SD->CaseSens)
{
S+= FO->FullName+Sign;
OQ->SetVariable(CmpWhat, SD->CmpWhat);
}
else
{
S+= "UPPER("+FO->FullName+")"+Sign;
OQ->SetVariable(CmpWhat, SD->CmpWhat.UpperCase());
}
break;
case aftInt:
OQ->DeclareVariable(CmpWhat, otInteger);
OQ->SetVariable(CmpWhat, SD->CmpWhat.ToIntDef(0));
break;
case aftSumma:
OQ->DeclareVariable(CmpWhat, otFloat);
OQ->SetVariable(CmpWhat, SD->CmpWhat.ToDouble());
break;
case aftDate:
OQ->DeclareVariable(CmpWhat, otDate);
OQ->SetVariable(CmpWhat, StrToDate(SD->CmpWhat));
break;
}
if (SD->Type!= aftStr)
S+= FO->FullName+Sign;
}
}
OQ->SQL->Text = S;
SqlFormed = true;
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::SbSaveClick(TObject *Sender)
{
SaveCurrPos();
RefreshMemo();
}
//---------------------------------------------------------------------------
void TFrmFindDbPos::RefreshMemo()
{
SSearchDescr* SD;
SFldOpt * FO;
int j = 1;
for (unsigned int i = 0 ; i<WhatLookingFor.size(); i++)
{
if (!WhatLookingFor[i].Clear)
{
if (j == SGrid->RowCount)
SGrid->RowCount=j+1;
SD = &WhatLookingFor[i];
FO = & ((*FldsDescr)[SD->FldNo]);
SGrid->Cells[0][j]= FO->Alias;
switch (SD->EqSign)
{
case acsEqual:
SGrid->Cells[1][j]= "=";
break;
case acsMore:
SGrid->Cells[1][j]= ">";
break;
case acsLess:
SGrid->Cells[1][j]= "<";
break;
case acsAlmost:
SGrid->Cells[1][j]= "~";
break;
}
SGrid->Cells[2][j]= SD->CmpWhat;
if (SD->CaseSens)
SGrid->Cells[1][j]= SGrid->Cells[1][j]+"П";
j++;
}
}
if (j==1)
{
SGrid->RowCount=2;
SGrid->Cells[0][1] = "";
SGrid->Cells[1][1] = "";
SGrid->Cells[2][1] = "";
}
else
{
SGrid->RowCount=j;
}
}
//---------------------------------------------------------------------------
void TFrmFindDbPos::SaveCurrPos()
{
if (CurrInd!= -1)
{
SSearchDescr* SD= &WhatLookingFor[CurrInd];
SD->Clear = false;
SD->EqSign = RGSign->ItemIndex;
SD->CaseSens = ChBCaseSensive->Visible && ChBCaseSensive->Checked;
SD->CmpWhat = ActInput->GetResultStr();
RefreshMemo();
Dirty = false;
}
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::SBDelClick(TObject *Sender)
{
if (CurrInd != -1)
{
if (!WhatLookingFor[CurrInd].Clear && AskMessage("Удалить условие выборки для "+
LBFieldsNames->Items->Strings[CurrInd]) == ID_YES)
{
WhatLookingFor[CurrInd].Clear=true;
CBFieldsNamesChange (this);
RefreshMemo();
Dirty = false;
}
}
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::BBOkClick(TObject *Sender)
{
SbSaveClick(this);
ModalResult = 1;
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::BBCancelClick(TObject *Sender)
{
ModalResult = -1;
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::FormActivate(TObject *Sender)
{
TopMostForm = this;
}
//---------------------------------------------------------------------------
AnsiString TFrmFindDbPos::FormWhereClause(TOracleDataSet* ODS, bool DataSetModified)
{
bool FirstTime = true;
AnsiString S;
for (unsigned int i = 0; i<WhatLookingFor.size(); i++)
{
if (!WhatLookingFor[i].Clear)
{
SSearchDescr* SD = & WhatLookingFor[i];
SFldOpt* FO = & ((*FldsDescr)[SD->FldNo]);
if (FirstTime)
FirstTime = false;
else
S+=" AND ";
AnsiString Sign;
AnsiString CmpWhat = "CMP_WHAT"+IntToStr(i);
switch (SD->EqSign)
{
case acsAlmost:
Sign = " LIKE :"+CmpWhat;
break;
case acsEqual:
Sign = " = :"+CmpWhat;
break;
case acsMore:
Sign = " > :"+CmpWhat;
break;
case acsLess:
Sign = " < :"+CmpWhat;
break;
}
switch (SD->Type)
{
case aftStr:
if (DataSetModified)
ODS->DeclareVariable(CmpWhat, otString);
else
OQ->DeclareVariable(CmpWhat, otString);
if (SD->CaseSens)
{
S+= FO->FullName+Sign;
if (DataSetModified)
ODS->SetVariable(CmpWhat, SD->CmpWhat);
else
OQ->SetVariable(CmpWhat, SD->CmpWhat);
}
else
{
S+= "UPPER("+FO->FullName+")"+Sign;
if (DataSetModified)
ODS->SetVariable(CmpWhat, SD->CmpWhat.UpperCase());
else
OQ->SetVariable(CmpWhat, SD->CmpWhat.UpperCase());
}
break;
case aftInt:
if (DataSetModified)
{
ODS->DeclareVariable(CmpWhat, otInteger);
ODS->SetVariable(CmpWhat, SD->CmpWhat.ToIntDef(0));
}
else
{
OQ->DeclareVariable(CmpWhat, otInteger);
OQ->SetVariable(CmpWhat, SD->CmpWhat.ToIntDef(0));
}
break;
case aftSumma:
if (DataSetModified)
{
ODS->DeclareVariable(CmpWhat, otFloat);
ODS->SetVariable(CmpWhat, SD->CmpWhat.ToDouble());
}
else
{
OQ->DeclareVariable(CmpWhat, otFloat);
OQ->SetVariable(CmpWhat, SD->CmpWhat.ToDouble());
}
break;
case aftDate:
if (DataSetModified)
{
ODS->DeclareVariable(CmpWhat, otDate);
ODS->SetVariable(CmpWhat, StrToDate(SD->CmpWhat));
}
else
{
OQ->DeclareVariable(CmpWhat, otDate);
OQ->SetVariable(CmpWhat, StrToDate(SD->CmpWhat));
}
break;
}
if (SD->Type!= aftStr)
S+= FO->FullName+Sign;
}
}
if (DataSetModified)
{
if (S!="")
S=" AND "+S+" ";
}
return S;
}
//---------------------------------------------------------------------------
//---------------------------------------------------------------------------
void TFrmFindDbPos::FormWhereClause(TOracleQuery* ODS, bool PutAnd)
{
bool FirstTime = true;
AnsiString S;
for (unsigned int i = 0; i<WhatLookingFor.size(); i++)
{
if (!WhatLookingFor[i].Clear)
{
SSearchDescr* SD = & WhatLookingFor[i];
SFldOpt* FO = & ((*FldsDescr)[SD->FldNo]);
if (FirstTime)
FirstTime = false;
else
S+=" AND ";
AnsiString Sign;
AnsiString CmpWhat = "CMP_WHAT"+IntToStr(i);
switch (SD->EqSign)
{
case acsAlmost:
Sign = " LIKE :"+CmpWhat;
break;
case acsEqual:
Sign = " = :"+CmpWhat;
break;
case acsMore:
Sign = " > :"+CmpWhat;
break;
case acsLess:
Sign = " < :"+CmpWhat;
break;
}
switch (SD->Type)
{
case aftStr:
ODS->DeclareVariable(CmpWhat, otString);
if (SD->CaseSens)
{
S+= FO->FullName+Sign;
ODS->SetVariable(CmpWhat, SD->CmpWhat);
}
else
{
S+= "UPPER("+FO->FullName+")"+Sign;
ODS->SetVariable(CmpWhat, SD->CmpWhat.UpperCase());
}
break;
case aftInt:
ODS->DeclareVariable(CmpWhat, otInteger);
ODS->SetVariable(CmpWhat, SD->CmpWhat.ToIntDef(0));
break;
case aftSumma:
ODS->DeclareVariable(CmpWhat, otFloat);
ODS->SetVariable(CmpWhat, SD->CmpWhat.ToDouble());
break;
case aftDate:
ODS->DeclareVariable(CmpWhat, otDate);
ODS->SetVariable(CmpWhat, StrToDate(SD->CmpWhat));
break;
}
if (SD->Type!= aftStr)
S+= FO->FullName+Sign;
}
}
if (PutAnd)
ODS->SQL->Text = ODS->SQL->Text +" AND "+ S;
else
ODS->SQL->Text = ODS->SQL->Text + S;
}
//---------------------------------------------------------------------------
int TFrmFindDbPos::SetFilter(void)
{
int Res = 0;
if (ShowModal()>0)
{
Res=1;
}
return Res;
}
//---------------------------------------------------------------------------
AnsiString TFrmFindDbPos::GetDescr(void)
{
//
AnsiString S;
for (unsigned int i = 0; i< WhatLookingFor.size(); i++)
{
SSearchDescr* SD = & WhatLookingFor[i];
if (!SD->Clear)
{
if (S!="") S+="; ";
S+= (*FldsDescr)[SD->FldNo].Alias;
switch (SD->EqSign)
{
case acsAlmost:
S += "~"+SD->CmpWhat;
break;
case acsEqual:
S += "="+SD->CmpWhat;
break;
case acsMore:
S += ">"+SD->CmpWhat;
break;
case acsLess:
S += "<"+SD->CmpWhat;
break;
}
}
}
return S;
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::ActInsAndExecExecute(TObject *Sender)
{
BBOkClick(this);
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::LBFieldsNamesKeyUp(TObject *Sender,
WORD &Key, TShiftState Shift)
{
if (Key==39)
{
Key=0;
ActInput->SetFocus();
}
else
CheckChange();
}
//---------------------------------------------------------------------------
void TFrmFindDbPos::CheckChange()
{
if (LBFieldsNames->ItemIndex != CurrInd)
{
CBFieldsNamesChange(this);
}
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::CBFieldsNamesClick(TObject *Sender)
{
CheckChange();
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::ActDelAllCondExecute(TObject *Sender)
{
for (unsigned int i = 0; i < WhatLookingFor.size(); i++)
{
WhatLookingFor[i].Clear=true;
}
RefreshMemo();
ActInput->Clear();
}
//---------------------------------------------------------------------------
void __fastcall TFrmFindDbPos::LBFieldsNamesClick(TObject *Sender)
{
CheckChange();
}
//---------------------------------------------------------------------------
| [
"[email protected]"
] | |
d78f8b650f6560609528aa68b5f7c4bce8b4cd8b | 41b4adb10cc86338d85db6636900168f55e7ff18 | /aws-cpp-sdk-kms/include/aws/kms/KMSClient.h | c22bd1ca89903290bfb47c3c5f723c83b8e57217 | [
"JSON",
"MIT",
"Apache-2.0"
] | permissive | totalkyos/AWS | 1c9ac30206ef6cf8ca38d2c3d1496fa9c15e5e80 | 7cb444814e938f3df59530ea4ebe8e19b9418793 | refs/heads/master | 2021-01-20T20:42:09.978428 | 2016-07-16T00:03:49 | 2016-07-16T00:03:49 | 63,465,708 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 90,536 | h | /*
* Copyright 2010-2016 Amazon.com, Inc. or its affiliates. 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.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file 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 <aws/kms/KMS_EXPORTS.h>
#include <aws/kms/KMSErrors.h>
#include <aws/core/client/AWSError.h>
#include <aws/core/client/ClientConfiguration.h>
#include <aws/core/client/AWSClient.h>
#include <aws/core/utils/memory/stl/AWSString.h>
#include <aws/core/utils/json/JsonSerializer.h>
#include <aws/kms/model/CancelKeyDeletionResult.h>
#include <aws/kms/model/CreateGrantResult.h>
#include <aws/kms/model/CreateKeyResult.h>
#include <aws/kms/model/DecryptResult.h>
#include <aws/kms/model/DescribeKeyResult.h>
#include <aws/kms/model/EncryptResult.h>
#include <aws/kms/model/GenerateDataKeyResult.h>
#include <aws/kms/model/GenerateDataKeyWithoutPlaintextResult.h>
#include <aws/kms/model/GenerateRandomResult.h>
#include <aws/kms/model/GetKeyPolicyResult.h>
#include <aws/kms/model/GetKeyRotationStatusResult.h>
#include <aws/kms/model/ListAliasesResult.h>
#include <aws/kms/model/ListGrantsResult.h>
#include <aws/kms/model/ListKeyPoliciesResult.h>
#include <aws/kms/model/ListKeysResult.h>
#include <aws/kms/model/ListRetirableGrantsResult.h>
#include <aws/kms/model/ReEncryptResult.h>
#include <aws/kms/model/ScheduleKeyDeletionResult.h>
#include <aws/core/NoResult.h>
#include <aws/core/client/AsyncCallerContext.h>
#include <aws/core/http/HttpTypes.h>
#include <future>
#include <functional>
namespace Aws
{
namespace Http
{
class HttpClient;
class HttpClientFactory;
} // namespace Http
namespace Utils
{
template< typename R, typename E> class Outcome;
namespace Threading
{
class Executor;
} // namespace Threading
namespace Json
{
class JsonValue;
} // namespace Json
} // namespace Utils
namespace Auth
{
class AWSCredentials;
class AWSCredentialsProvider;
} // namespace Auth
namespace Client
{
class RetryStrategy;
} // namespace Client
namespace KMS
{
namespace Model
{
class CancelKeyDeletionRequest;
class CreateAliasRequest;
class CreateGrantRequest;
class CreateKeyRequest;
class DecryptRequest;
class DeleteAliasRequest;
class DescribeKeyRequest;
class DisableKeyRequest;
class DisableKeyRotationRequest;
class EnableKeyRequest;
class EnableKeyRotationRequest;
class EncryptRequest;
class GenerateDataKeyRequest;
class GenerateDataKeyWithoutPlaintextRequest;
class GenerateRandomRequest;
class GetKeyPolicyRequest;
class GetKeyRotationStatusRequest;
class ListAliasesRequest;
class ListGrantsRequest;
class ListKeyPoliciesRequest;
class ListKeysRequest;
class ListRetirableGrantsRequest;
class PutKeyPolicyRequest;
class ReEncryptRequest;
class RetireGrantRequest;
class RevokeGrantRequest;
class ScheduleKeyDeletionRequest;
class UpdateAliasRequest;
class UpdateKeyDescriptionRequest;
typedef Aws::Utils::Outcome<CancelKeyDeletionResult, Aws::Client::AWSError<KMSErrors>> CancelKeyDeletionOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> CreateAliasOutcome;
typedef Aws::Utils::Outcome<CreateGrantResult, Aws::Client::AWSError<KMSErrors>> CreateGrantOutcome;
typedef Aws::Utils::Outcome<CreateKeyResult, Aws::Client::AWSError<KMSErrors>> CreateKeyOutcome;
typedef Aws::Utils::Outcome<DecryptResult, Aws::Client::AWSError<KMSErrors>> DecryptOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> DeleteAliasOutcome;
typedef Aws::Utils::Outcome<DescribeKeyResult, Aws::Client::AWSError<KMSErrors>> DescribeKeyOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> DisableKeyOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> DisableKeyRotationOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> EnableKeyOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> EnableKeyRotationOutcome;
typedef Aws::Utils::Outcome<EncryptResult, Aws::Client::AWSError<KMSErrors>> EncryptOutcome;
typedef Aws::Utils::Outcome<GenerateDataKeyResult, Aws::Client::AWSError<KMSErrors>> GenerateDataKeyOutcome;
typedef Aws::Utils::Outcome<GenerateDataKeyWithoutPlaintextResult, Aws::Client::AWSError<KMSErrors>> GenerateDataKeyWithoutPlaintextOutcome;
typedef Aws::Utils::Outcome<GenerateRandomResult, Aws::Client::AWSError<KMSErrors>> GenerateRandomOutcome;
typedef Aws::Utils::Outcome<GetKeyPolicyResult, Aws::Client::AWSError<KMSErrors>> GetKeyPolicyOutcome;
typedef Aws::Utils::Outcome<GetKeyRotationStatusResult, Aws::Client::AWSError<KMSErrors>> GetKeyRotationStatusOutcome;
typedef Aws::Utils::Outcome<ListAliasesResult, Aws::Client::AWSError<KMSErrors>> ListAliasesOutcome;
typedef Aws::Utils::Outcome<ListGrantsResult, Aws::Client::AWSError<KMSErrors>> ListGrantsOutcome;
typedef Aws::Utils::Outcome<ListKeyPoliciesResult, Aws::Client::AWSError<KMSErrors>> ListKeyPoliciesOutcome;
typedef Aws::Utils::Outcome<ListKeysResult, Aws::Client::AWSError<KMSErrors>> ListKeysOutcome;
typedef Aws::Utils::Outcome<ListRetirableGrantsResult, Aws::Client::AWSError<KMSErrors>> ListRetirableGrantsOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> PutKeyPolicyOutcome;
typedef Aws::Utils::Outcome<ReEncryptResult, Aws::Client::AWSError<KMSErrors>> ReEncryptOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> RetireGrantOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> RevokeGrantOutcome;
typedef Aws::Utils::Outcome<ScheduleKeyDeletionResult, Aws::Client::AWSError<KMSErrors>> ScheduleKeyDeletionOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> UpdateAliasOutcome;
typedef Aws::Utils::Outcome<NoResult, Aws::Client::AWSError<KMSErrors>> UpdateKeyDescriptionOutcome;
typedef std::future<CancelKeyDeletionOutcome> CancelKeyDeletionOutcomeCallable;
typedef std::future<CreateAliasOutcome> CreateAliasOutcomeCallable;
typedef std::future<CreateGrantOutcome> CreateGrantOutcomeCallable;
typedef std::future<CreateKeyOutcome> CreateKeyOutcomeCallable;
typedef std::future<DecryptOutcome> DecryptOutcomeCallable;
typedef std::future<DeleteAliasOutcome> DeleteAliasOutcomeCallable;
typedef std::future<DescribeKeyOutcome> DescribeKeyOutcomeCallable;
typedef std::future<DisableKeyOutcome> DisableKeyOutcomeCallable;
typedef std::future<DisableKeyRotationOutcome> DisableKeyRotationOutcomeCallable;
typedef std::future<EnableKeyOutcome> EnableKeyOutcomeCallable;
typedef std::future<EnableKeyRotationOutcome> EnableKeyRotationOutcomeCallable;
typedef std::future<EncryptOutcome> EncryptOutcomeCallable;
typedef std::future<GenerateDataKeyOutcome> GenerateDataKeyOutcomeCallable;
typedef std::future<GenerateDataKeyWithoutPlaintextOutcome> GenerateDataKeyWithoutPlaintextOutcomeCallable;
typedef std::future<GenerateRandomOutcome> GenerateRandomOutcomeCallable;
typedef std::future<GetKeyPolicyOutcome> GetKeyPolicyOutcomeCallable;
typedef std::future<GetKeyRotationStatusOutcome> GetKeyRotationStatusOutcomeCallable;
typedef std::future<ListAliasesOutcome> ListAliasesOutcomeCallable;
typedef std::future<ListGrantsOutcome> ListGrantsOutcomeCallable;
typedef std::future<ListKeyPoliciesOutcome> ListKeyPoliciesOutcomeCallable;
typedef std::future<ListKeysOutcome> ListKeysOutcomeCallable;
typedef std::future<ListRetirableGrantsOutcome> ListRetirableGrantsOutcomeCallable;
typedef std::future<PutKeyPolicyOutcome> PutKeyPolicyOutcomeCallable;
typedef std::future<ReEncryptOutcome> ReEncryptOutcomeCallable;
typedef std::future<RetireGrantOutcome> RetireGrantOutcomeCallable;
typedef std::future<RevokeGrantOutcome> RevokeGrantOutcomeCallable;
typedef std::future<ScheduleKeyDeletionOutcome> ScheduleKeyDeletionOutcomeCallable;
typedef std::future<UpdateAliasOutcome> UpdateAliasOutcomeCallable;
typedef std::future<UpdateKeyDescriptionOutcome> UpdateKeyDescriptionOutcomeCallable;
} // namespace Model
class KMSClient;
typedef std::function<void(const KMSClient*, const Model::CancelKeyDeletionRequest&, const Model::CancelKeyDeletionOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > CancelKeyDeletionResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::CreateAliasRequest&, const Model::CreateAliasOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > CreateAliasResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::CreateGrantRequest&, const Model::CreateGrantOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > CreateGrantResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::CreateKeyRequest&, const Model::CreateKeyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > CreateKeyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::DecryptRequest&, const Model::DecryptOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > DecryptResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::DeleteAliasRequest&, const Model::DeleteAliasOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > DeleteAliasResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::DescribeKeyRequest&, const Model::DescribeKeyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > DescribeKeyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::DisableKeyRequest&, const Model::DisableKeyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > DisableKeyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::DisableKeyRotationRequest&, const Model::DisableKeyRotationOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > DisableKeyRotationResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::EnableKeyRequest&, const Model::EnableKeyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > EnableKeyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::EnableKeyRotationRequest&, const Model::EnableKeyRotationOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > EnableKeyRotationResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::EncryptRequest&, const Model::EncryptOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > EncryptResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::GenerateDataKeyRequest&, const Model::GenerateDataKeyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > GenerateDataKeyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::GenerateDataKeyWithoutPlaintextRequest&, const Model::GenerateDataKeyWithoutPlaintextOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > GenerateDataKeyWithoutPlaintextResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::GenerateRandomRequest&, const Model::GenerateRandomOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > GenerateRandomResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::GetKeyPolicyRequest&, const Model::GetKeyPolicyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > GetKeyPolicyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::GetKeyRotationStatusRequest&, const Model::GetKeyRotationStatusOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > GetKeyRotationStatusResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ListAliasesRequest&, const Model::ListAliasesOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ListAliasesResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ListGrantsRequest&, const Model::ListGrantsOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ListGrantsResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ListKeyPoliciesRequest&, const Model::ListKeyPoliciesOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ListKeyPoliciesResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ListKeysRequest&, const Model::ListKeysOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ListKeysResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ListRetirableGrantsRequest&, const Model::ListRetirableGrantsOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ListRetirableGrantsResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::PutKeyPolicyRequest&, const Model::PutKeyPolicyOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > PutKeyPolicyResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ReEncryptRequest&, const Model::ReEncryptOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ReEncryptResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::RetireGrantRequest&, const Model::RetireGrantOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > RetireGrantResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::RevokeGrantRequest&, const Model::RevokeGrantOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > RevokeGrantResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::ScheduleKeyDeletionRequest&, const Model::ScheduleKeyDeletionOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > ScheduleKeyDeletionResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::UpdateAliasRequest&, const Model::UpdateAliasOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > UpdateAliasResponseReceivedHandler;
typedef std::function<void(const KMSClient*, const Model::UpdateKeyDescriptionRequest&, const Model::UpdateKeyDescriptionOutcome&, const std::shared_ptr<const Aws::Client::AsyncCallerContext>&) > UpdateKeyDescriptionResponseReceivedHandler;
/**
* <fullname>AWS Key Management Service</fullname> <p>AWS Key Management Service
* (AWS KMS) is an encryption and key management web service. This guide describes
* the AWS KMS operations that you can call programmatically. For general
* information about AWS KMS, see the <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/">AWS Key Management
* Service Developer Guide</a>.</p> <note> <p>AWS provides SDKs that consist of
* libraries and sample code for various programming languages and platforms (Java,
* Ruby, .Net, iOS, Android, etc.). The SDKs provide a convenient way to create
* programmatic access to AWS KMS and other AWS services. For example, the SDKs
* take care of tasks such as signing requests (see below), managing errors, and
* retrying requests automatically. For more information about the AWS SDKs,
* including how to download and install them, see <a
* href="http://aws.amazon.com/tools/">Tools for Amazon Web Services</a>.</p>
* </note> <p>We recommend that you use the AWS SDKs to make programmatic API calls
* to AWS KMS.</p> <p>Clients must support TLS (Transport Layer Security) 1.0. We
* recommend TLS 1.2. Clients must also support cipher suites with Perfect Forward
* Secrecy (PFS) such as Ephemeral Diffie-Hellman (DHE) or Elliptic Curve Ephemeral
* Diffie-Hellman (ECDHE). Most modern systems such as Java 7 and later support
* these modes.</p> <p> <b>Signing Requests</b> </p> <p>Requests must be signed by
* using an access key ID and a secret access key. We strongly recommend that you
* <i>do not</i> use your AWS account (root) access key ID and secret key for
* everyday work with AWS KMS. Instead, use the access key ID and secret access key
* for an IAM user, or you can use the AWS Security Token Service to generate
* temporary security credentials that you can use to sign requests.</p> <p>All AWS
* KMS operations require <a
* href="http://docs.aws.amazon.com/general/latest/gr/signature-version-4.html">Signature
* Version 4</a>.</p> <p> <b>Logging API Requests</b> </p> <p>AWS KMS supports AWS
* CloudTrail, a service that logs AWS API calls and related events for your AWS
* account and delivers them to an Amazon S3 bucket that you specify. By using the
* information collected by CloudTrail, you can determine what requests were made
* to AWS KMS, who made the request, when it was made, and so on. To learn more
* about CloudTrail, including how to turn it on and find your log files, see the
* <a href="http://docs.aws.amazon.com/awscloudtrail/latest/userguide/">AWS
* CloudTrail User Guide</a>.</p> <p> <b>Additional Resources</b> </p> <p>For more
* information about credentials and request signing, see the following:</p> <ul>
* <li> <p> <a
* href="http://docs.aws.amazon.com/general/latest/gr/aws-security-credentials.html">AWS
* Security Credentials</a> - This topic provides general information about the
* types of credentials used for accessing AWS.</p> </li> <li> <p> <a
* href="http://docs.aws.amazon.com/IAM/latest/UserGuide/id_credentials_temp.html">Temporary
* Security Credentials</a> - This section of the <i>IAM User Guide</i> describes
* how to create and use temporary security credentials.</p> </li> <li> <p> <a
* href="http://docs.aws.amazon.com/general/latest/gr/signature-version-4.html">Signature
* Version 4 Signing Process</a> - This set of topics walks you through the process
* of signing a request using an access key ID and a secret access key.</p> </li>
* </ul> <p> <b>Commonly Used APIs</b> </p> <p>Of the APIs discussed in this guide,
* the following will prove the most useful for most applications. You will likely
* perform actions other than these, such as creating keys and assigning policies,
* by using the console.</p> <ul> <li> <p> <a>Encrypt</a> </p> </li> <li> <p>
* <a>Decrypt</a> </p> </li> <li> <p> <a>GenerateDataKey</a> </p> </li> <li> <p>
* <a>GenerateDataKeyWithoutPlaintext</a> </p> </li> </ul>
*/
class AWS_KMS_API KMSClient : public Aws::Client::AWSJsonClient
{
public:
typedef Aws::Client::AWSJsonClient BASECLASS;
/**
* Initializes client to use DefaultCredentialProviderChain, with default http client factory, and optional client config. If client config
* is not specified, it will be initialized to default values.
*/
KMSClient(const Client::ClientConfiguration& clientConfiguration = Client::ClientConfiguration());
/**
* Initializes client to use SimpleAWSCredentialsProvider, with default http client factory, and optional client config. If client config
* is not specified, it will be initialized to default values.
*/
KMSClient(const Auth::AWSCredentials& credentials, const Client::ClientConfiguration& clientConfiguration = Client::ClientConfiguration());
/**
* Initializes client to use specified credentials provider with specified client config. If http client factory is not supplied,
* the default http client factory will be used
*/
KMSClient(const std::shared_ptr<Auth::AWSCredentialsProvider>& credentialsProvider,
const Client::ClientConfiguration& clientConfiguration = Client::ClientConfiguration());
virtual ~KMSClient();
/**
* <p>Cancels the deletion of a customer master key (CMK). When this operation is
* successful, the CMK is set to the <code>Disabled</code> state. To enable a CMK,
* use <a>EnableKey</a>.</p> <p>For more information about scheduling and canceling
* deletion of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*/
virtual Model::CancelKeyDeletionOutcome CancelKeyDeletion(const Model::CancelKeyDeletionRequest& request) const;
/**
* <p>Cancels the deletion of a customer master key (CMK). When this operation is
* successful, the CMK is set to the <code>Disabled</code> state. To enable a CMK,
* use <a>EnableKey</a>.</p> <p>For more information about scheduling and canceling
* deletion of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::CancelKeyDeletionOutcomeCallable CancelKeyDeletionCallable(const Model::CancelKeyDeletionRequest& request) const;
/**
* <p>Cancels the deletion of a customer master key (CMK). When this operation is
* successful, the CMK is set to the <code>Disabled</code> state. To enable a CMK,
* use <a>EnableKey</a>.</p> <p>For more information about scheduling and canceling
* deletion of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void CancelKeyDeletionAsync(const Model::CancelKeyDeletionRequest& request, const CancelKeyDeletionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Creates a display name for a customer master key. An alias can be used to
* identify a key and should be unique. The console enforces a one-to-one mapping
* between the alias and a key. An alias name can contain only alphanumeric
* characters, forward slashes (/), underscores (_), and dashes (-). An alias must
* start with the word "alias" followed by a forward slash (alias/). An alias that
* begins with "aws" after the forward slash (alias/aws...) is reserved by Amazon
* Web Services (AWS).</p> <p>The alias and the key it is mapped to must be in the
* same AWS account and the same region.</p> <p>To map an alias to a different key,
* call <a>UpdateAlias</a>.</p>
*/
virtual Model::CreateAliasOutcome CreateAlias(const Model::CreateAliasRequest& request) const;
/**
* <p>Creates a display name for a customer master key. An alias can be used to
* identify a key and should be unique. The console enforces a one-to-one mapping
* between the alias and a key. An alias name can contain only alphanumeric
* characters, forward slashes (/), underscores (_), and dashes (-). An alias must
* start with the word "alias" followed by a forward slash (alias/). An alias that
* begins with "aws" after the forward slash (alias/aws...) is reserved by Amazon
* Web Services (AWS).</p> <p>The alias and the key it is mapped to must be in the
* same AWS account and the same region.</p> <p>To map an alias to a different key,
* call <a>UpdateAlias</a>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::CreateAliasOutcomeCallable CreateAliasCallable(const Model::CreateAliasRequest& request) const;
/**
* <p>Creates a display name for a customer master key. An alias can be used to
* identify a key and should be unique. The console enforces a one-to-one mapping
* between the alias and a key. An alias name can contain only alphanumeric
* characters, forward slashes (/), underscores (_), and dashes (-). An alias must
* start with the word "alias" followed by a forward slash (alias/). An alias that
* begins with "aws" after the forward slash (alias/aws...) is reserved by Amazon
* Web Services (AWS).</p> <p>The alias and the key it is mapped to must be in the
* same AWS account and the same region.</p> <p>To map an alias to a different key,
* call <a>UpdateAlias</a>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void CreateAliasAsync(const Model::CreateAliasRequest& request, const CreateAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Adds a grant to a key to specify who can use the key and under what
* conditions. Grants are alternate permission mechanisms to key policies.</p>
* <p>For more information about grants, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/grants.html">Grants</a>
* in the <i>AWS Key Management Service Developer Guide</i>.</p>
*/
virtual Model::CreateGrantOutcome CreateGrant(const Model::CreateGrantRequest& request) const;
/**
* <p>Adds a grant to a key to specify who can use the key and under what
* conditions. Grants are alternate permission mechanisms to key policies.</p>
* <p>For more information about grants, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/grants.html">Grants</a>
* in the <i>AWS Key Management Service Developer Guide</i>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::CreateGrantOutcomeCallable CreateGrantCallable(const Model::CreateGrantRequest& request) const;
/**
* <p>Adds a grant to a key to specify who can use the key and under what
* conditions. Grants are alternate permission mechanisms to key policies.</p>
* <p>For more information about grants, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/grants.html">Grants</a>
* in the <i>AWS Key Management Service Developer Guide</i>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void CreateGrantAsync(const Model::CreateGrantRequest& request, const CreateGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Creates a customer master key (CMK).</p> <p>You can use a CMK to encrypt
* small amounts of data (4 KiB or less) directly, but CMKs are more commonly used
* to encrypt data encryption keys (DEKs), which are used to encrypt raw data. For
* more information about DEKs and the difference between CMKs and DEKs, see the
* following:</p> <ul> <li> <p>The <a>GenerateDataKey</a> operation</p> </li> <li>
* <p> <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/concepts.html">AWS
* Key Management Service Concepts</a> in the <i>AWS Key Management Service
* Developer Guide</i> </p> </li> </ul>
*/
virtual Model::CreateKeyOutcome CreateKey(const Model::CreateKeyRequest& request) const;
/**
* <p>Creates a customer master key (CMK).</p> <p>You can use a CMK to encrypt
* small amounts of data (4 KiB or less) directly, but CMKs are more commonly used
* to encrypt data encryption keys (DEKs), which are used to encrypt raw data. For
* more information about DEKs and the difference between CMKs and DEKs, see the
* following:</p> <ul> <li> <p>The <a>GenerateDataKey</a> operation</p> </li> <li>
* <p> <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/concepts.html">AWS
* Key Management Service Concepts</a> in the <i>AWS Key Management Service
* Developer Guide</i> </p> </li> </ul>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::CreateKeyOutcomeCallable CreateKeyCallable(const Model::CreateKeyRequest& request) const;
/**
* <p>Creates a customer master key (CMK).</p> <p>You can use a CMK to encrypt
* small amounts of data (4 KiB or less) directly, but CMKs are more commonly used
* to encrypt data encryption keys (DEKs), which are used to encrypt raw data. For
* more information about DEKs and the difference between CMKs and DEKs, see the
* following:</p> <ul> <li> <p>The <a>GenerateDataKey</a> operation</p> </li> <li>
* <p> <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/concepts.html">AWS
* Key Management Service Concepts</a> in the <i>AWS Key Management Service
* Developer Guide</i> </p> </li> </ul>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void CreateKeyAsync(const Model::CreateKeyRequest& request, const CreateKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Decrypts ciphertext. Ciphertext is plaintext that has been previously
* encrypted by using any of the following functions:</p> <ul> <li> <p>
* <a>GenerateDataKey</a> </p> </li> <li> <p>
* <a>GenerateDataKeyWithoutPlaintext</a> </p> </li> <li> <p> <a>Encrypt</a> </p>
* </li> </ul> <p>Note that if a caller has been granted access permissions to all
* keys (through, for example, IAM user policies that grant <code>Decrypt</code>
* permission on all resources), then ciphertext encrypted by using keys in other
* accounts where the key grants access to the caller can be decrypted. To remedy
* this, we recommend that you do not grant <code>Decrypt</code> access in an IAM
* user policy. Instead grant <code>Decrypt</code> access only in key policies. If
* you must grant <code>Decrypt</code> access in an IAM user policy, you should
* scope the resource to specific keys or to specific trusted accounts.</p>
*/
virtual Model::DecryptOutcome Decrypt(const Model::DecryptRequest& request) const;
/**
* <p>Decrypts ciphertext. Ciphertext is plaintext that has been previously
* encrypted by using any of the following functions:</p> <ul> <li> <p>
* <a>GenerateDataKey</a> </p> </li> <li> <p>
* <a>GenerateDataKeyWithoutPlaintext</a> </p> </li> <li> <p> <a>Encrypt</a> </p>
* </li> </ul> <p>Note that if a caller has been granted access permissions to all
* keys (through, for example, IAM user policies that grant <code>Decrypt</code>
* permission on all resources), then ciphertext encrypted by using keys in other
* accounts where the key grants access to the caller can be decrypted. To remedy
* this, we recommend that you do not grant <code>Decrypt</code> access in an IAM
* user policy. Instead grant <code>Decrypt</code> access only in key policies. If
* you must grant <code>Decrypt</code> access in an IAM user policy, you should
* scope the resource to specific keys or to specific trusted accounts.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::DecryptOutcomeCallable DecryptCallable(const Model::DecryptRequest& request) const;
/**
* <p>Decrypts ciphertext. Ciphertext is plaintext that has been previously
* encrypted by using any of the following functions:</p> <ul> <li> <p>
* <a>GenerateDataKey</a> </p> </li> <li> <p>
* <a>GenerateDataKeyWithoutPlaintext</a> </p> </li> <li> <p> <a>Encrypt</a> </p>
* </li> </ul> <p>Note that if a caller has been granted access permissions to all
* keys (through, for example, IAM user policies that grant <code>Decrypt</code>
* permission on all resources), then ciphertext encrypted by using keys in other
* accounts where the key grants access to the caller can be decrypted. To remedy
* this, we recommend that you do not grant <code>Decrypt</code> access in an IAM
* user policy. Instead grant <code>Decrypt</code> access only in key policies. If
* you must grant <code>Decrypt</code> access in an IAM user policy, you should
* scope the resource to specific keys or to specific trusted accounts.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void DecryptAsync(const Model::DecryptRequest& request, const DecryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Deletes the specified alias. To map an alias to a different key, call
* <a>UpdateAlias</a>.</p>
*/
virtual Model::DeleteAliasOutcome DeleteAlias(const Model::DeleteAliasRequest& request) const;
/**
* <p>Deletes the specified alias. To map an alias to a different key, call
* <a>UpdateAlias</a>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::DeleteAliasOutcomeCallable DeleteAliasCallable(const Model::DeleteAliasRequest& request) const;
/**
* <p>Deletes the specified alias. To map an alias to a different key, call
* <a>UpdateAlias</a>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void DeleteAliasAsync(const Model::DeleteAliasRequest& request, const DeleteAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Provides detailed information about the specified customer master key.</p>
*/
virtual Model::DescribeKeyOutcome DescribeKey(const Model::DescribeKeyRequest& request) const;
/**
* <p>Provides detailed information about the specified customer master key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::DescribeKeyOutcomeCallable DescribeKeyCallable(const Model::DescribeKeyRequest& request) const;
/**
* <p>Provides detailed information about the specified customer master key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void DescribeKeyAsync(const Model::DescribeKeyRequest& request, const DescribeKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Sets the state of a customer master key (CMK) to disabled, thereby preventing
* its use for cryptographic operations. For more information about how key state
* affects the use of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-state.html">How
* Key State Affects the Use of a Customer Master Key</a> in the <i>AWS Key
* Management Service Developer Guide</i>.</p>
*/
virtual Model::DisableKeyOutcome DisableKey(const Model::DisableKeyRequest& request) const;
/**
* <p>Sets the state of a customer master key (CMK) to disabled, thereby preventing
* its use for cryptographic operations. For more information about how key state
* affects the use of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-state.html">How
* Key State Affects the Use of a Customer Master Key</a> in the <i>AWS Key
* Management Service Developer Guide</i>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::DisableKeyOutcomeCallable DisableKeyCallable(const Model::DisableKeyRequest& request) const;
/**
* <p>Sets the state of a customer master key (CMK) to disabled, thereby preventing
* its use for cryptographic operations. For more information about how key state
* affects the use of a CMK, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-state.html">How
* Key State Affects the Use of a Customer Master Key</a> in the <i>AWS Key
* Management Service Developer Guide</i>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void DisableKeyAsync(const Model::DisableKeyRequest& request, const DisableKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Disables rotation of the specified key.</p>
*/
virtual Model::DisableKeyRotationOutcome DisableKeyRotation(const Model::DisableKeyRotationRequest& request) const;
/**
* <p>Disables rotation of the specified key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::DisableKeyRotationOutcomeCallable DisableKeyRotationCallable(const Model::DisableKeyRotationRequest& request) const;
/**
* <p>Disables rotation of the specified key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void DisableKeyRotationAsync(const Model::DisableKeyRotationRequest& request, const DisableKeyRotationResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Marks a key as enabled, thereby permitting its use.</p>
*/
virtual Model::EnableKeyOutcome EnableKey(const Model::EnableKeyRequest& request) const;
/**
* <p>Marks a key as enabled, thereby permitting its use.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::EnableKeyOutcomeCallable EnableKeyCallable(const Model::EnableKeyRequest& request) const;
/**
* <p>Marks a key as enabled, thereby permitting its use.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void EnableKeyAsync(const Model::EnableKeyRequest& request, const EnableKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Enables rotation of the specified customer master key.</p>
*/
virtual Model::EnableKeyRotationOutcome EnableKeyRotation(const Model::EnableKeyRotationRequest& request) const;
/**
* <p>Enables rotation of the specified customer master key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::EnableKeyRotationOutcomeCallable EnableKeyRotationCallable(const Model::EnableKeyRotationRequest& request) const;
/**
* <p>Enables rotation of the specified customer master key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void EnableKeyRotationAsync(const Model::EnableKeyRotationRequest& request, const EnableKeyRotationResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Encrypts plaintext into ciphertext by using a customer master key. The
* <code>Encrypt</code> function has two primary use cases:</p> <ul> <li> <p>You
* can encrypt up to 4 KB of arbitrary data such as an RSA key, a database
* password, or other sensitive customer information.</p> </li> <li> <p>If you are
* moving encrypted data from one region to another, you can use this API to
* encrypt in the new region the plaintext data key that was used to encrypt the
* data in the original region. This provides you with an encrypted copy of the
* data key that can be decrypted in the new region and used there to decrypt the
* encrypted data.</p> </li> </ul> <p>Unless you are moving encrypted data from one
* region to another, you don't use this function to encrypt a generated data key
* within a region. You retrieve data keys already encrypted by calling the
* <a>GenerateDataKey</a> or <a>GenerateDataKeyWithoutPlaintext</a> function. Data
* keys don't need to be encrypted again by calling <code>Encrypt</code>.</p> <p>If
* you want to encrypt data locally in your application, you can use the
* <code>GenerateDataKey</code> function to return a plaintext data encryption key
* and a copy of the key encrypted under the customer master key (CMK) of your
* choosing.</p>
*/
virtual Model::EncryptOutcome Encrypt(const Model::EncryptRequest& request) const;
/**
* <p>Encrypts plaintext into ciphertext by using a customer master key. The
* <code>Encrypt</code> function has two primary use cases:</p> <ul> <li> <p>You
* can encrypt up to 4 KB of arbitrary data such as an RSA key, a database
* password, or other sensitive customer information.</p> </li> <li> <p>If you are
* moving encrypted data from one region to another, you can use this API to
* encrypt in the new region the plaintext data key that was used to encrypt the
* data in the original region. This provides you with an encrypted copy of the
* data key that can be decrypted in the new region and used there to decrypt the
* encrypted data.</p> </li> </ul> <p>Unless you are moving encrypted data from one
* region to another, you don't use this function to encrypt a generated data key
* within a region. You retrieve data keys already encrypted by calling the
* <a>GenerateDataKey</a> or <a>GenerateDataKeyWithoutPlaintext</a> function. Data
* keys don't need to be encrypted again by calling <code>Encrypt</code>.</p> <p>If
* you want to encrypt data locally in your application, you can use the
* <code>GenerateDataKey</code> function to return a plaintext data encryption key
* and a copy of the key encrypted under the customer master key (CMK) of your
* choosing.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::EncryptOutcomeCallable EncryptCallable(const Model::EncryptRequest& request) const;
/**
* <p>Encrypts plaintext into ciphertext by using a customer master key. The
* <code>Encrypt</code> function has two primary use cases:</p> <ul> <li> <p>You
* can encrypt up to 4 KB of arbitrary data such as an RSA key, a database
* password, or other sensitive customer information.</p> </li> <li> <p>If you are
* moving encrypted data from one region to another, you can use this API to
* encrypt in the new region the plaintext data key that was used to encrypt the
* data in the original region. This provides you with an encrypted copy of the
* data key that can be decrypted in the new region and used there to decrypt the
* encrypted data.</p> </li> </ul> <p>Unless you are moving encrypted data from one
* region to another, you don't use this function to encrypt a generated data key
* within a region. You retrieve data keys already encrypted by calling the
* <a>GenerateDataKey</a> or <a>GenerateDataKeyWithoutPlaintext</a> function. Data
* keys don't need to be encrypted again by calling <code>Encrypt</code>.</p> <p>If
* you want to encrypt data locally in your application, you can use the
* <code>GenerateDataKey</code> function to return a plaintext data encryption key
* and a copy of the key encrypted under the customer master key (CMK) of your
* choosing.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void EncryptAsync(const Model::EncryptRequest& request, const EncryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Generates a data key that you can use in your application to locally encrypt
* data. This call returns a plaintext version of the key in the
* <code>Plaintext</code> field of the response object and an encrypted copy of the
* key in the <code>CiphertextBlob</code> field. The key is encrypted by using the
* master key specified by the <code>KeyId</code> field. To decrypt the encrypted
* key, pass it to the <code>Decrypt</code> API.</p> <p>We recommend that you use
* the following pattern to locally encrypt data: call the
* <code>GenerateDataKey</code> API, use the key returned in the
* <code>Plaintext</code> response field to locally encrypt data, and then erase
* the plaintext data key from memory. Store the encrypted data key (contained in
* the <code>CiphertextBlob</code> field) alongside of the locally encrypted
* data.</p> <note> <p>You should not call the <code>Encrypt</code> function to
* re-encrypt your data keys within a region. <code>GenerateDataKey</code> always
* returns the data key encrypted and tied to the customer master key that will be
* used to decrypt it. There is no need to decrypt it twice.</p> </note> <p>If you
* decide to use the optional <code>EncryptionContext</code> parameter, you must
* also store the context in full or at least store enough information along with
* the encrypted data to be able to reconstruct the context when submitting the
* ciphertext to the <code>Decrypt</code> API. It is a good practice to choose a
* context that you can reconstruct on the fly to better secure the ciphertext. For
* more information about how this parameter is used, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/encrypt-context.html">Encryption
* Context</a>.</p> <p>To decrypt data, pass the encrypted data key to the
* <code>Decrypt</code> API. <code>Decrypt</code> uses the associated master key to
* decrypt the encrypted data key and returns it as plaintext. Use the plaintext
* data key to locally decrypt your data and then erase the key from memory. You
* must specify the encryption context, if any, that you specified when you
* generated the key. The encryption context is logged by CloudTrail, and you can
* use this log to help track the use of particular data.</p>
*/
virtual Model::GenerateDataKeyOutcome GenerateDataKey(const Model::GenerateDataKeyRequest& request) const;
/**
* <p>Generates a data key that you can use in your application to locally encrypt
* data. This call returns a plaintext version of the key in the
* <code>Plaintext</code> field of the response object and an encrypted copy of the
* key in the <code>CiphertextBlob</code> field. The key is encrypted by using the
* master key specified by the <code>KeyId</code> field. To decrypt the encrypted
* key, pass it to the <code>Decrypt</code> API.</p> <p>We recommend that you use
* the following pattern to locally encrypt data: call the
* <code>GenerateDataKey</code> API, use the key returned in the
* <code>Plaintext</code> response field to locally encrypt data, and then erase
* the plaintext data key from memory. Store the encrypted data key (contained in
* the <code>CiphertextBlob</code> field) alongside of the locally encrypted
* data.</p> <note> <p>You should not call the <code>Encrypt</code> function to
* re-encrypt your data keys within a region. <code>GenerateDataKey</code> always
* returns the data key encrypted and tied to the customer master key that will be
* used to decrypt it. There is no need to decrypt it twice.</p> </note> <p>If you
* decide to use the optional <code>EncryptionContext</code> parameter, you must
* also store the context in full or at least store enough information along with
* the encrypted data to be able to reconstruct the context when submitting the
* ciphertext to the <code>Decrypt</code> API. It is a good practice to choose a
* context that you can reconstruct on the fly to better secure the ciphertext. For
* more information about how this parameter is used, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/encrypt-context.html">Encryption
* Context</a>.</p> <p>To decrypt data, pass the encrypted data key to the
* <code>Decrypt</code> API. <code>Decrypt</code> uses the associated master key to
* decrypt the encrypted data key and returns it as plaintext. Use the plaintext
* data key to locally decrypt your data and then erase the key from memory. You
* must specify the encryption context, if any, that you specified when you
* generated the key. The encryption context is logged by CloudTrail, and you can
* use this log to help track the use of particular data.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::GenerateDataKeyOutcomeCallable GenerateDataKeyCallable(const Model::GenerateDataKeyRequest& request) const;
/**
* <p>Generates a data key that you can use in your application to locally encrypt
* data. This call returns a plaintext version of the key in the
* <code>Plaintext</code> field of the response object and an encrypted copy of the
* key in the <code>CiphertextBlob</code> field. The key is encrypted by using the
* master key specified by the <code>KeyId</code> field. To decrypt the encrypted
* key, pass it to the <code>Decrypt</code> API.</p> <p>We recommend that you use
* the following pattern to locally encrypt data: call the
* <code>GenerateDataKey</code> API, use the key returned in the
* <code>Plaintext</code> response field to locally encrypt data, and then erase
* the plaintext data key from memory. Store the encrypted data key (contained in
* the <code>CiphertextBlob</code> field) alongside of the locally encrypted
* data.</p> <note> <p>You should not call the <code>Encrypt</code> function to
* re-encrypt your data keys within a region. <code>GenerateDataKey</code> always
* returns the data key encrypted and tied to the customer master key that will be
* used to decrypt it. There is no need to decrypt it twice.</p> </note> <p>If you
* decide to use the optional <code>EncryptionContext</code> parameter, you must
* also store the context in full or at least store enough information along with
* the encrypted data to be able to reconstruct the context when submitting the
* ciphertext to the <code>Decrypt</code> API. It is a good practice to choose a
* context that you can reconstruct on the fly to better secure the ciphertext. For
* more information about how this parameter is used, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/encrypt-context.html">Encryption
* Context</a>.</p> <p>To decrypt data, pass the encrypted data key to the
* <code>Decrypt</code> API. <code>Decrypt</code> uses the associated master key to
* decrypt the encrypted data key and returns it as plaintext. Use the plaintext
* data key to locally decrypt your data and then erase the key from memory. You
* must specify the encryption context, if any, that you specified when you
* generated the key. The encryption context is logged by CloudTrail, and you can
* use this log to help track the use of particular data.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void GenerateDataKeyAsync(const Model::GenerateDataKeyRequest& request, const GenerateDataKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Returns a data key encrypted by a customer master key without the plaintext
* copy of that key. Otherwise, this API functions exactly like
* <a>GenerateDataKey</a>. You can use this API to, for example, satisfy an audit
* requirement that an encrypted key be made available without exposing the
* plaintext copy of that key.</p>
*/
virtual Model::GenerateDataKeyWithoutPlaintextOutcome GenerateDataKeyWithoutPlaintext(const Model::GenerateDataKeyWithoutPlaintextRequest& request) const;
/**
* <p>Returns a data key encrypted by a customer master key without the plaintext
* copy of that key. Otherwise, this API functions exactly like
* <a>GenerateDataKey</a>. You can use this API to, for example, satisfy an audit
* requirement that an encrypted key be made available without exposing the
* plaintext copy of that key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::GenerateDataKeyWithoutPlaintextOutcomeCallable GenerateDataKeyWithoutPlaintextCallable(const Model::GenerateDataKeyWithoutPlaintextRequest& request) const;
/**
* <p>Returns a data key encrypted by a customer master key without the plaintext
* copy of that key. Otherwise, this API functions exactly like
* <a>GenerateDataKey</a>. You can use this API to, for example, satisfy an audit
* requirement that an encrypted key be made available without exposing the
* plaintext copy of that key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void GenerateDataKeyWithoutPlaintextAsync(const Model::GenerateDataKeyWithoutPlaintextRequest& request, const GenerateDataKeyWithoutPlaintextResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Generates an unpredictable byte string.</p>
*/
virtual Model::GenerateRandomOutcome GenerateRandom(const Model::GenerateRandomRequest& request) const;
/**
* <p>Generates an unpredictable byte string.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::GenerateRandomOutcomeCallable GenerateRandomCallable(const Model::GenerateRandomRequest& request) const;
/**
* <p>Generates an unpredictable byte string.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void GenerateRandomAsync(const Model::GenerateRandomRequest& request, const GenerateRandomResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Retrieves a policy attached to the specified key.</p>
*/
virtual Model::GetKeyPolicyOutcome GetKeyPolicy(const Model::GetKeyPolicyRequest& request) const;
/**
* <p>Retrieves a policy attached to the specified key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::GetKeyPolicyOutcomeCallable GetKeyPolicyCallable(const Model::GetKeyPolicyRequest& request) const;
/**
* <p>Retrieves a policy attached to the specified key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void GetKeyPolicyAsync(const Model::GetKeyPolicyRequest& request, const GetKeyPolicyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Retrieves a Boolean value that indicates whether key rotation is enabled for
* the specified key.</p>
*/
virtual Model::GetKeyRotationStatusOutcome GetKeyRotationStatus(const Model::GetKeyRotationStatusRequest& request) const;
/**
* <p>Retrieves a Boolean value that indicates whether key rotation is enabled for
* the specified key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::GetKeyRotationStatusOutcomeCallable GetKeyRotationStatusCallable(const Model::GetKeyRotationStatusRequest& request) const;
/**
* <p>Retrieves a Boolean value that indicates whether key rotation is enabled for
* the specified key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void GetKeyRotationStatusAsync(const Model::GetKeyRotationStatusRequest& request, const GetKeyRotationStatusResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Lists all of the key aliases in the account.</p>
*/
virtual Model::ListAliasesOutcome ListAliases(const Model::ListAliasesRequest& request) const;
/**
* <p>Lists all of the key aliases in the account.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ListAliasesOutcomeCallable ListAliasesCallable(const Model::ListAliasesRequest& request) const;
/**
* <p>Lists all of the key aliases in the account.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ListAliasesAsync(const Model::ListAliasesRequest& request, const ListAliasesResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>List the grants for a specified key.</p>
*/
virtual Model::ListGrantsOutcome ListGrants(const Model::ListGrantsRequest& request) const;
/**
* <p>List the grants for a specified key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ListGrantsOutcomeCallable ListGrantsCallable(const Model::ListGrantsRequest& request) const;
/**
* <p>List the grants for a specified key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ListGrantsAsync(const Model::ListGrantsRequest& request, const ListGrantsResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Retrieves a list of policies attached to a key.</p>
*/
virtual Model::ListKeyPoliciesOutcome ListKeyPolicies(const Model::ListKeyPoliciesRequest& request) const;
/**
* <p>Retrieves a list of policies attached to a key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ListKeyPoliciesOutcomeCallable ListKeyPoliciesCallable(const Model::ListKeyPoliciesRequest& request) const;
/**
* <p>Retrieves a list of policies attached to a key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ListKeyPoliciesAsync(const Model::ListKeyPoliciesRequest& request, const ListKeyPoliciesResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Lists the customer master keys.</p>
*/
virtual Model::ListKeysOutcome ListKeys(const Model::ListKeysRequest& request) const;
/**
* <p>Lists the customer master keys.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ListKeysOutcomeCallable ListKeysCallable(const Model::ListKeysRequest& request) const;
/**
* <p>Lists the customer master keys.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ListKeysAsync(const Model::ListKeysRequest& request, const ListKeysResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Returns a list of all grants for which the grant's
* <code>RetiringPrincipal</code> matches the one specified.</p> <p>A typical use
* is to list all grants that you are able to retire. To retire a grant, use
* <a>RetireGrant</a>.</p>
*/
virtual Model::ListRetirableGrantsOutcome ListRetirableGrants(const Model::ListRetirableGrantsRequest& request) const;
/**
* <p>Returns a list of all grants for which the grant's
* <code>RetiringPrincipal</code> matches the one specified.</p> <p>A typical use
* is to list all grants that you are able to retire. To retire a grant, use
* <a>RetireGrant</a>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ListRetirableGrantsOutcomeCallable ListRetirableGrantsCallable(const Model::ListRetirableGrantsRequest& request) const;
/**
* <p>Returns a list of all grants for which the grant's
* <code>RetiringPrincipal</code> matches the one specified.</p> <p>A typical use
* is to list all grants that you are able to retire. To retire a grant, use
* <a>RetireGrant</a>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ListRetirableGrantsAsync(const Model::ListRetirableGrantsRequest& request, const ListRetirableGrantsResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Attaches a key policy to the specified customer master key (CMK).</p> <p>For
* more information about key policies, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-policies.html">Key
* Policies</a> in the <i>AWS Key Management Service Developer Guide</i>.</p>
*/
virtual Model::PutKeyPolicyOutcome PutKeyPolicy(const Model::PutKeyPolicyRequest& request) const;
/**
* <p>Attaches a key policy to the specified customer master key (CMK).</p> <p>For
* more information about key policies, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-policies.html">Key
* Policies</a> in the <i>AWS Key Management Service Developer Guide</i>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::PutKeyPolicyOutcomeCallable PutKeyPolicyCallable(const Model::PutKeyPolicyRequest& request) const;
/**
* <p>Attaches a key policy to the specified customer master key (CMK).</p> <p>For
* more information about key policies, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/key-policies.html">Key
* Policies</a> in the <i>AWS Key Management Service Developer Guide</i>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void PutKeyPolicyAsync(const Model::PutKeyPolicyRequest& request, const PutKeyPolicyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Encrypts data on the server side with a new customer master key without
* exposing the plaintext of the data on the client side. The data is first
* decrypted and then encrypted. This operation can also be used to change the
* encryption context of a ciphertext.</p> <p>Unlike other actions,
* <code>ReEncrypt</code> is authorized twice - once as <code>ReEncryptFrom</code>
* on the source key and once as <code>ReEncryptTo</code> on the destination key.
* We therefore recommend that you include the
* <code>"action":"kms:ReEncrypt*"</code> statement in your key policies to permit
* re-encryption from or to the key. The statement is included automatically when
* you authorize use of the key through the console but must be included manually
* when you set a policy by using the <a>PutKeyPolicy</a> function.</p>
*/
virtual Model::ReEncryptOutcome ReEncrypt(const Model::ReEncryptRequest& request) const;
/**
* <p>Encrypts data on the server side with a new customer master key without
* exposing the plaintext of the data on the client side. The data is first
* decrypted and then encrypted. This operation can also be used to change the
* encryption context of a ciphertext.</p> <p>Unlike other actions,
* <code>ReEncrypt</code> is authorized twice - once as <code>ReEncryptFrom</code>
* on the source key and once as <code>ReEncryptTo</code> on the destination key.
* We therefore recommend that you include the
* <code>"action":"kms:ReEncrypt*"</code> statement in your key policies to permit
* re-encryption from or to the key. The statement is included automatically when
* you authorize use of the key through the console but must be included manually
* when you set a policy by using the <a>PutKeyPolicy</a> function.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ReEncryptOutcomeCallable ReEncryptCallable(const Model::ReEncryptRequest& request) const;
/**
* <p>Encrypts data on the server side with a new customer master key without
* exposing the plaintext of the data on the client side. The data is first
* decrypted and then encrypted. This operation can also be used to change the
* encryption context of a ciphertext.</p> <p>Unlike other actions,
* <code>ReEncrypt</code> is authorized twice - once as <code>ReEncryptFrom</code>
* on the source key and once as <code>ReEncryptTo</code> on the destination key.
* We therefore recommend that you include the
* <code>"action":"kms:ReEncrypt*"</code> statement in your key policies to permit
* re-encryption from or to the key. The statement is included automatically when
* you authorize use of the key through the console but must be included manually
* when you set a policy by using the <a>PutKeyPolicy</a> function.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ReEncryptAsync(const Model::ReEncryptRequest& request, const ReEncryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Retires a grant. You can retire a grant when you're done using it to clean
* up. You should revoke a grant when you intend to actively deny operations that
* depend on it. The following are permitted to call this API:</p> <ul> <li> <p>The
* account that created the grant</p> </li> <li> <p>The
* <code>RetiringPrincipal</code>, if present</p> </li> <li> <p>The
* <code>GranteePrincipal</code>, if <code>RetireGrant</code> is a grantee
* operation</p> </li> </ul> <p>The grant to retire must be identified by its grant
* token or by a combination of the key ARN and the grant ID. A grant token is a
* unique variable-length base64-encoded string. A grant ID is a 64 character
* unique identifier of a grant. Both are returned by the <code>CreateGrant</code>
* function.</p>
*/
virtual Model::RetireGrantOutcome RetireGrant(const Model::RetireGrantRequest& request) const;
/**
* <p>Retires a grant. You can retire a grant when you're done using it to clean
* up. You should revoke a grant when you intend to actively deny operations that
* depend on it. The following are permitted to call this API:</p> <ul> <li> <p>The
* account that created the grant</p> </li> <li> <p>The
* <code>RetiringPrincipal</code>, if present</p> </li> <li> <p>The
* <code>GranteePrincipal</code>, if <code>RetireGrant</code> is a grantee
* operation</p> </li> </ul> <p>The grant to retire must be identified by its grant
* token or by a combination of the key ARN and the grant ID. A grant token is a
* unique variable-length base64-encoded string. A grant ID is a 64 character
* unique identifier of a grant. Both are returned by the <code>CreateGrant</code>
* function.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::RetireGrantOutcomeCallable RetireGrantCallable(const Model::RetireGrantRequest& request) const;
/**
* <p>Retires a grant. You can retire a grant when you're done using it to clean
* up. You should revoke a grant when you intend to actively deny operations that
* depend on it. The following are permitted to call this API:</p> <ul> <li> <p>The
* account that created the grant</p> </li> <li> <p>The
* <code>RetiringPrincipal</code>, if present</p> </li> <li> <p>The
* <code>GranteePrincipal</code>, if <code>RetireGrant</code> is a grantee
* operation</p> </li> </ul> <p>The grant to retire must be identified by its grant
* token or by a combination of the key ARN and the grant ID. A grant token is a
* unique variable-length base64-encoded string. A grant ID is a 64 character
* unique identifier of a grant. Both are returned by the <code>CreateGrant</code>
* function.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void RetireGrantAsync(const Model::RetireGrantRequest& request, const RetireGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Revokes a grant. You can revoke a grant to actively deny operations that
* depend on it.</p>
*/
virtual Model::RevokeGrantOutcome RevokeGrant(const Model::RevokeGrantRequest& request) const;
/**
* <p>Revokes a grant. You can revoke a grant to actively deny operations that
* depend on it.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::RevokeGrantOutcomeCallable RevokeGrantCallable(const Model::RevokeGrantRequest& request) const;
/**
* <p>Revokes a grant. You can revoke a grant to actively deny operations that
* depend on it.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void RevokeGrantAsync(const Model::RevokeGrantRequest& request, const RevokeGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Schedules the deletion of a customer master key (CMK). You may provide a
* waiting period, specified in days, before deletion occurs. If you do not provide
* a waiting period, the default period of 30 days is used. When this operation is
* successful, the state of the CMK changes to <code>PendingDeletion</code>. Before
* the waiting period ends, you can use <a>CancelKeyDeletion</a> to cancel the
* deletion of the CMK. After the waiting period ends, AWS KMS deletes the CMK and
* all AWS KMS data associated with it, including all aliases that point to it.</p>
* <important> <p>Deleting a CMK is a destructive and potentially dangerous
* operation. When a CMK is deleted, all data that was encrypted under the CMK is
* rendered unrecoverable. To restrict the use of a CMK without deleting it, use
* <a>DisableKey</a>.</p> </important> <p>For more information about scheduling a
* CMK for deletion, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*/
virtual Model::ScheduleKeyDeletionOutcome ScheduleKeyDeletion(const Model::ScheduleKeyDeletionRequest& request) const;
/**
* <p>Schedules the deletion of a customer master key (CMK). You may provide a
* waiting period, specified in days, before deletion occurs. If you do not provide
* a waiting period, the default period of 30 days is used. When this operation is
* successful, the state of the CMK changes to <code>PendingDeletion</code>. Before
* the waiting period ends, you can use <a>CancelKeyDeletion</a> to cancel the
* deletion of the CMK. After the waiting period ends, AWS KMS deletes the CMK and
* all AWS KMS data associated with it, including all aliases that point to it.</p>
* <important> <p>Deleting a CMK is a destructive and potentially dangerous
* operation. When a CMK is deleted, all data that was encrypted under the CMK is
* rendered unrecoverable. To restrict the use of a CMK without deleting it, use
* <a>DisableKey</a>.</p> </important> <p>For more information about scheduling a
* CMK for deletion, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::ScheduleKeyDeletionOutcomeCallable ScheduleKeyDeletionCallable(const Model::ScheduleKeyDeletionRequest& request) const;
/**
* <p>Schedules the deletion of a customer master key (CMK). You may provide a
* waiting period, specified in days, before deletion occurs. If you do not provide
* a waiting period, the default period of 30 days is used. When this operation is
* successful, the state of the CMK changes to <code>PendingDeletion</code>. Before
* the waiting period ends, you can use <a>CancelKeyDeletion</a> to cancel the
* deletion of the CMK. After the waiting period ends, AWS KMS deletes the CMK and
* all AWS KMS data associated with it, including all aliases that point to it.</p>
* <important> <p>Deleting a CMK is a destructive and potentially dangerous
* operation. When a CMK is deleted, all data that was encrypted under the CMK is
* rendered unrecoverable. To restrict the use of a CMK without deleting it, use
* <a>DisableKey</a>.</p> </important> <p>For more information about scheduling a
* CMK for deletion, see <a
* href="http://docs.aws.amazon.com/kms/latest/developerguide/deleting-keys.html">Deleting
* Customer Master Keys</a> in the <i>AWS Key Management Service Developer
* Guide</i>.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void ScheduleKeyDeletionAsync(const Model::ScheduleKeyDeletionRequest& request, const ScheduleKeyDeletionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Updates an alias to map it to a different key.</p> <p>An alias is not a
* property of a key. Therefore, an alias can be mapped to and unmapped from an
* existing key without changing the properties of the key.</p> <p>An alias name
* can contain only alphanumeric characters, forward slashes (/), underscores (_),
* and dashes (-). An alias must start with the word "alias" followed by a forward
* slash (alias/). An alias that begins with "aws" after the forward slash
* (alias/aws...) is reserved by Amazon Web Services (AWS).</p> <p>The alias and
* the key it is mapped to must be in the same AWS account and the same region.</p>
*/
virtual Model::UpdateAliasOutcome UpdateAlias(const Model::UpdateAliasRequest& request) const;
/**
* <p>Updates an alias to map it to a different key.</p> <p>An alias is not a
* property of a key. Therefore, an alias can be mapped to and unmapped from an
* existing key without changing the properties of the key.</p> <p>An alias name
* can contain only alphanumeric characters, forward slashes (/), underscores (_),
* and dashes (-). An alias must start with the word "alias" followed by a forward
* slash (alias/). An alias that begins with "aws" after the forward slash
* (alias/aws...) is reserved by Amazon Web Services (AWS).</p> <p>The alias and
* the key it is mapped to must be in the same AWS account and the same region.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::UpdateAliasOutcomeCallable UpdateAliasCallable(const Model::UpdateAliasRequest& request) const;
/**
* <p>Updates an alias to map it to a different key.</p> <p>An alias is not a
* property of a key. Therefore, an alias can be mapped to and unmapped from an
* existing key without changing the properties of the key.</p> <p>An alias name
* can contain only alphanumeric characters, forward slashes (/), underscores (_),
* and dashes (-). An alias must start with the word "alias" followed by a forward
* slash (alias/). An alias that begins with "aws" after the forward slash
* (alias/aws...) is reserved by Amazon Web Services (AWS).</p> <p>The alias and
* the key it is mapped to must be in the same AWS account and the same region.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void UpdateAliasAsync(const Model::UpdateAliasRequest& request, const UpdateAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
/**
* <p>Updates the description of a key.</p>
*/
virtual Model::UpdateKeyDescriptionOutcome UpdateKeyDescription(const Model::UpdateKeyDescriptionRequest& request) const;
/**
* <p>Updates the description of a key.</p>
*
* returns a future to the operation so that it can be executed in parallel to other requests.
*/
virtual Model::UpdateKeyDescriptionOutcomeCallable UpdateKeyDescriptionCallable(const Model::UpdateKeyDescriptionRequest& request) const;
/**
* <p>Updates the description of a key.</p>
*
* Queues the request into a thread executor and triggers associated callback when operation has finished.
*/
virtual void UpdateKeyDescriptionAsync(const Model::UpdateKeyDescriptionRequest& request, const UpdateKeyDescriptionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context = nullptr) const;
private:
void init(const Client::ClientConfiguration& clientConfiguration);
/**Async helpers**/
void CancelKeyDeletionAsyncHelper(const Model::CancelKeyDeletionRequest& request, const CancelKeyDeletionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void CreateAliasAsyncHelper(const Model::CreateAliasRequest& request, const CreateAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void CreateGrantAsyncHelper(const Model::CreateGrantRequest& request, const CreateGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void CreateKeyAsyncHelper(const Model::CreateKeyRequest& request, const CreateKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void DecryptAsyncHelper(const Model::DecryptRequest& request, const DecryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void DeleteAliasAsyncHelper(const Model::DeleteAliasRequest& request, const DeleteAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void DescribeKeyAsyncHelper(const Model::DescribeKeyRequest& request, const DescribeKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void DisableKeyAsyncHelper(const Model::DisableKeyRequest& request, const DisableKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void DisableKeyRotationAsyncHelper(const Model::DisableKeyRotationRequest& request, const DisableKeyRotationResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void EnableKeyAsyncHelper(const Model::EnableKeyRequest& request, const EnableKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void EnableKeyRotationAsyncHelper(const Model::EnableKeyRotationRequest& request, const EnableKeyRotationResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void EncryptAsyncHelper(const Model::EncryptRequest& request, const EncryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void GenerateDataKeyAsyncHelper(const Model::GenerateDataKeyRequest& request, const GenerateDataKeyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void GenerateDataKeyWithoutPlaintextAsyncHelper(const Model::GenerateDataKeyWithoutPlaintextRequest& request, const GenerateDataKeyWithoutPlaintextResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void GenerateRandomAsyncHelper(const Model::GenerateRandomRequest& request, const GenerateRandomResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void GetKeyPolicyAsyncHelper(const Model::GetKeyPolicyRequest& request, const GetKeyPolicyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void GetKeyRotationStatusAsyncHelper(const Model::GetKeyRotationStatusRequest& request, const GetKeyRotationStatusResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ListAliasesAsyncHelper(const Model::ListAliasesRequest& request, const ListAliasesResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ListGrantsAsyncHelper(const Model::ListGrantsRequest& request, const ListGrantsResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ListKeyPoliciesAsyncHelper(const Model::ListKeyPoliciesRequest& request, const ListKeyPoliciesResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ListKeysAsyncHelper(const Model::ListKeysRequest& request, const ListKeysResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ListRetirableGrantsAsyncHelper(const Model::ListRetirableGrantsRequest& request, const ListRetirableGrantsResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void PutKeyPolicyAsyncHelper(const Model::PutKeyPolicyRequest& request, const PutKeyPolicyResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ReEncryptAsyncHelper(const Model::ReEncryptRequest& request, const ReEncryptResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void RetireGrantAsyncHelper(const Model::RetireGrantRequest& request, const RetireGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void RevokeGrantAsyncHelper(const Model::RevokeGrantRequest& request, const RevokeGrantResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void ScheduleKeyDeletionAsyncHelper(const Model::ScheduleKeyDeletionRequest& request, const ScheduleKeyDeletionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void UpdateAliasAsyncHelper(const Model::UpdateAliasRequest& request, const UpdateAliasResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
void UpdateKeyDescriptionAsyncHelper(const Model::UpdateKeyDescriptionRequest& request, const UpdateKeyDescriptionResponseReceivedHandler& handler, const std::shared_ptr<const Aws::Client::AsyncCallerContext>& context) const;
Aws::String m_uri;
std::shared_ptr<Utils::Threading::Executor> m_executor;
};
} // namespace KMS
} // namespace Aws
| [
"[email protected]"
] | |
4d298337c913b5c3f91f97d0ad840cfd2cdfbf1c | 19d31d9b1ab095a1120058407ed0edaa12f2db38 | /June_30/hw_task_02_1/Array-hw_2_1.cpp | be00452d937e185d6c3d75ffb7e6b0e70b954374 | [] | no_license | dbagnyuk/cpp-cource-1 | 501f3e555dc786c97128f61fc12b953086b53baf | 4a374841dc8743a2f5401cef188258bfcd7c8ecd | refs/heads/master | 2020-03-06T22:42:37.172909 | 2018-04-16T08:36:53 | 2018-04-16T08:36:53 | 127,110,671 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,532 | cpp | // create Array with 20 random numbers.fill it by the rand() % 21.
// output numbers and count of it.
#include "stdafx.h"
#include <iostream>
#include <stdlib.h>
#include <time.h>
#include <iomanip>
using namespace std;
void FillArraybyRandomNumbers(int * InputArray, int Size);
void OutputArray(int * OutputArray, int Size);
void CoutTextAboutArray(int Size);
int main()
{
srand((unsigned int)time(0));
const int iArray1Size = 20; // constant for aray size
int iArray1[iArray1Size]; // Array size 20
int nCnt = 0, a;
FillArraybyRandomNumbers(iArray1, iArray1Size); // Filling and cout Array1 by the random numbers
CoutTextAboutArray(iArray1Size);
OutputArray(iArray1, iArray1Size);
// Finding and write into new Array3 each number and hit count from 1st Array
for (int i = 0; i < iArray1Size; ++i)
{
if (iArray1[i] != -1)
{
cout << iArray1[i] << " = ";
nCnt = 1;
a = iArray1[i];
iArray1[i] = -1;
for (int j = i + 1; j < iArray1Size; ++j)
{
if (iArray1[j] == a)
{
++nCnt;
iArray1[j] = -1;
}
}
cout << nCnt << endl;
}
}
cout << endl;
return 0;
}
void FillArraybyRandomNumbers(int * InputArray, int Size)
{
for (int i = 0; i < Size; ++i)
InputArray[i] = rand() % 21;
}
void OutputArray(int * OutputArray, int Size)
{
for (int i = 0; i < Size; ++i)
cout << setw(3) << OutputArray[i];
cout << endl << endl;
}
void CoutTextAboutArray(int Size)
{
cout << Size << " numbers Array: ";
}
| [
"[email protected]"
] | |
955595cbebdf679dba49eb061658533848df274d | f3562b1fd70da5883b2d5f851c3303c0e684ba92 | /pep_coding_ip/sun_oct_27/circle_of_strings.cpp | 3ac2c1212a9a339b2cc64ccc8f036c6fbb015b1e | [] | no_license | himanish-star/cp_codes | d12581bbadf6063d085778e8e78686e30c149c91 | 5d13d537ed744ce783cf7f7188b058b7a44631a3 | refs/heads/master | 2021-07-13T04:44:46.872056 | 2020-07-13T11:57:40 | 2020-07-13T11:57:40 | 162,413,025 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,178 | cpp | #include<bits/stdc++.h>
using namespace std;
bool ringForms;
int startLetter;
void dfs(int u,int v,vector<vector<int>> &adj,int n,int depth) {
// printf("edge %c->%c\n",u+'a',v+'a');
adj[u][v]--;
bool newPath=false;
for(int i=0;i<26;i++) {
if(adj[v][i]) {
newPath=true;
dfs(v,i,adj,n,depth+1);
}
}
if(!newPath && depth+1==n) {
ringForms = bool(startLetter==v);
}
adj[u][v]++;
}
int main() {
int t;
cin>>t;
while(t--) {
int n;
cin>>n;
vector<vector<int>> adj(26,vector<int> (26,0));
int x,y;
vector<string> words;
for(int i=0;i<n;i++) {
string word;
cin>>word;
words.push_back(word);
int u=word[0]-'a';
int v=word[word.size()-1]-'a';
// cout<<u<<" "<<v<<endl;
adj[u][v]++;
x=u;
y=v;
}
ringForms=false;
startLetter = x;
// cout<<endl;
dfs(x,y,adj,n,0);
// if(ddepth==n)
// ringForms=true;
if(n==1 && words[0][0]==words[0][words[0].size()-1])
ringForms=true;
cout<<ringForms<<endl;
}
return 0;
} | [
"[email protected]"
] | |
d993e0ee5052bc82b1ae1f5cb3edcd156117db80 | 03aebd1ca8d8a6f025405ab57561fc89a9d6de82 | /BadMemories/BadMemories/Chapter1Test.cpp | 231d1b232631a4dbcc76248380cf61b4382af421 | [] | no_license | gttgttgt/metest | ada38f9000f45c8d43a6f35797702f68e4459672 | c3e79e2bb85f4652194127aacb86a42743a1f1db | refs/heads/master | 2020-05-22T21:09:01.496533 | 2019-07-18T12:33:05 | 2019-07-18T12:33:05 | 186,521,903 | 0 | 1 | null | 2019-06-23T13:29:35 | 2019-05-14T01:30:37 | C++ | SHIFT_JIS | C++ | false | false | 2,396 | cpp | #include "pch.h"
#include "StringEditCStyle.h"
/// Chapter1-1
/// 文字列、HelloWorld!をHelloJapan?に変換する。
/// 本テストをパスするコードを実装する。
/// 変換処理はHelloWorldToHelloJapan()に実装すること。
/// HelloWorldToHelloJapanのI/F(引数・戻り)は適宜変更してよい。
/// 下記テストコードの指定範囲は適宜変更すること。
/// Inputの文字列がHelloWorld!であることは前提としてよい。
/// Cの範囲で実装すること。C標準ライブラリ・Win32APIは使用可。
TEST(Chapter1, _1_EditStringC) {
char* helloworld = nullptr;
{//ここから変更可
HelloWorldToHelloJapan(helloworld);
}//ここまで変更可
EXPECT_STREQ(helloworld, "HelloJapan?");
const char* temp = "HelloWorld!";
EXPECT_EQ(temp[5], 'W');
}
/// Chapter1-2
/// 文字列、HelloWorld!をByeWorld!に変換する。
/// 本テストをパスするコードを実装する。
/// 変換処理はHelloWorldToByeWorld()に実装すること。
/// HelloWorldToByeWorldのI/F(引数・戻り)は適宜変更してよい。
/// 下記テストコードの指定範囲は適宜変更すること。
/// Inputの文字列がHelloWorld!であることは前提としてよい。
/// Cの範囲で実装すること。C標準ライブラリ・Win32APIは使用可。
TEST(Chapter1, _2_EditStringC) {
char* helloworld = nullptr;
{//ここから変更可
HelloWorldToHelloJapan(helloworld);
}//ここまで変更可
EXPECT_STREQ(helloworld, "ByeWorld!");
const char* temp = "HelloWorld!";
EXPECT_EQ(temp[5], 'W');
}
/// Chapter1-3
/// 文字列、HelloWorld!をHello!World!に変換する。
/// 本テストをパスするコードを実装する。
/// 変換処理はHelloWorldToHelloWorld()に実装すること。
/// HelloWorldToHelloWorldのI/F(引数・戻り)は適宜変更してよい。
/// 下記テストコードの指定範囲は適宜変更すること。
/// Inputの文字列がHelloWorld!であることは前提としてよい。
/// Cの範囲で実装すること。C標準ライブラリ・Win32APIは使用可。
TEST(Chapter1, _3_EditStringC) {
char* helloworld = nullptr;
{//ここから変更可
HelloWorldToHelloJapan(helloworld);
}//ここまで変更可
EXPECT_STREQ(helloworld, "Hello!World!");
const char* temp = "HelloWorld!";
EXPECT_EQ(temp[5], 'W');
} | [
"[email protected]"
] |
Subsets and Splits