blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
3
264
content_id
stringlengths
40
40
detected_licenses
listlengths
0
85
license_type
stringclasses
2 values
repo_name
stringlengths
5
140
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
905 values
visit_date
timestamp[us]date
2015-08-09 11:21:18
2023-09-06 10:45:07
revision_date
timestamp[us]date
1997-09-14 05:04:47
2023-09-17 19:19:19
committer_date
timestamp[us]date
1997-09-14 05:04:47
2023-09-06 06:22:19
github_id
int64
3.89k
681M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
22 values
gha_event_created_at
timestamp[us]date
2012-06-07 00:51:45
2023-09-14 21:58:39
gha_created_at
timestamp[us]date
2008-03-27 23:40:48
2023-08-21 23:17:38
gha_language
stringclasses
141 values
src_encoding
stringclasses
34 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
3
10.4M
extension
stringclasses
115 values
content
stringlengths
3
10.4M
authors
listlengths
1
1
author_id
stringlengths
0
158
a946a132119f6b063c1ce407ac8a9be248b5f9bc
2df4793e4f113ad42629268b28d8f3287f906758
/操作系统/os-workbench/abstract-machine/apps/microbench/src/15pz/heap.h
9fa1e6afec99b67eb51425936d33418485445666
[ "MIT" ]
permissive
jocelyn2002/NJUAI_CodingHW
7c692a08fb301f5cac146fef6da3f94d5043f2e9
002c5ecbad671b75059290065db73a7152c98db9
refs/heads/main
2023-04-29T06:25:46.607063
2021-05-25T02:45:58
2021-05-25T02:45:58
448,436,119
5
1
MIT
2022-01-16T02:06:27
2022-01-16T02:06:26
null
UTF-8
C++
false
false
4,823
h
// Author: Douglas Wilhelm Harder // Copyright (c) 2009 by Douglas Wilhelm Harder. All rights reserved. template <typename T> T max(T a, T b) { return a > b ? a : b; } template <typename T> class Updatable_heap { private: int M; class Step; Step **hash_table; Step **heap; int heap_size; int maximum_heap_size; void inline swap( int, int ); void percolate_down(); void percolate_up( int ); Step *pointer( T const & ) const; public: void init(int m); ~Updatable_heap(); T pop(); void push( T const &, int ); int size() const; int maximum_size() const; int length( T const & ) const; }; template <typename T> class Updatable_heap<T>::Step { public: T element; Step *next; int heap_index; int path_length; int path_weight; bool visited; Step *previous_step; void init( T const &, Step *, int, int ); int length() const; int weight() const; }; template <typename T> void Updatable_heap<T>::init(int m) { M = m; heap = (Step **)bench_alloc(sizeof(void *) * M); hash_table = (Step **)bench_alloc(sizeof(void *) * (M + 1)); heap_size = 0; maximum_heap_size = 0; for ( int i = 0; i < M; ++i ) { hash_table[i] = 0; } } template <typename T> Updatable_heap<T>::~Updatable_heap() { for ( int i = 0; i < M; ++i ) { Step *ptr = hash_table[i]; while ( ptr != 0 ) { Step *tmp = ptr; ptr = ptr->next; } } } template <typename T> T Updatable_heap<T>::pop() { if ( size() == 0 ) { return T(); } T top = heap[1]->element; if ( size() == 1 ) { heap_size = 0; } else { assert( size() > 1 ); heap[1] = heap[size()]; heap[1]->heap_index = 1; --heap_size; percolate_down(); } return top; } template <typename T> void inline Updatable_heap<T>::swap( int i, int j ) { Step *tmp = heap[j]; heap[j] = heap[i]; heap[i] = tmp; heap[i]->heap_index = i; heap[j]->heap_index = j; } template <typename T> void Updatable_heap<T>::percolate_down() { int n = 1; while ( 2*n + 1 <= size() ) { if ( heap[n]->weight() < heap[2*n]->weight() && heap[n]->weight() < heap[2*n + 1]->weight() ) { return; } if ( heap[2*n]->weight() < heap[2*n + 1]->weight() ) { swap( n, 2*n ); n = 2*n; } else { assert( heap[2*n]->weight() >= heap[2*n + 1]->weight() ); swap( n, 2*n + 1 ); n = 2*n + 1; } } if ( 2*n == size() && heap[2*n]->weight() < heap[n]->weight() ) { swap( n, 2*n ); } } template <typename T> void Updatable_heap<T>::percolate_up( int n ) { while ( n != 1 ) { int parent = n/2; if ( heap[parent]->weight() > heap[n]->weight() ) { swap( parent, n ); n = parent; } else { return; } } } template <typename T> void Updatable_heap<T>::push( T const &pz, int path_length ) { Step *ptr = pointer( pz ); if ( ptr == 0 ) { assert( heap_size <= M ); ++heap_size; Step *ptr = (Step*)bench_alloc(sizeof(Step)); ptr->init( pz, hash_table[pz.hash() & (M - 1)], size(), path_length ); hash_table[pz.hash() & (M - 1)] = ptr; heap[size()] = ptr; percolate_up( size() ); maximum_heap_size = max( maximum_heap_size, size() ); } else { if ( !ptr->visited ) { if ( path_length + ptr->element.lower_bound() < ptr->weight() ) { ptr->path_weight = path_length + ptr->element.lower_bound(); percolate_up( ptr->heap_index ); } } } } template <typename T> int Updatable_heap<T>::size() const { return heap_size; } template <typename T> int Updatable_heap<T>::maximum_size() const { return maximum_heap_size; } template <typename T> int Updatable_heap<T>::length( T const &pz ) const { Step *ptr = pointer( pz ); return ( ptr == 0 ) ? 2147483647 : ptr->length(); } template <typename T> typename Updatable_heap<T>::Step *Updatable_heap<T>::pointer( T const &pz ) const { for ( Step *ptr = hash_table[pz.hash() & (M - 1)]; ptr != 0; ptr = ptr->next ) { if ( ptr->element == pz ) { return ptr; } } return 0; } /**************************************************** * ************************************************ * * * Iterator * * * ************************************************ * ****************************************************/ template <typename T> void Updatable_heap<T>::Step::init( T const &pz, Step *n, int hi, int dist ) { element = pz; next = n; heap_index = hi; path_length = dist; path_weight = dist + element.lower_bound(); visited = false; previous_step = 0; } template <typename T> int Updatable_heap<T>::Step::length() const { return path_length; } template <typename T> int Updatable_heap<T>::Step::weight() const { return path_weight; }
[ "dinghao12601@126.com" ]
dinghao12601@126.com
26e22052d24651a06bdc91c64dd5378ead63e6d1
1cbffea76c851f060fa00b4420bdd856fc808d14
/NetworkingServer/Trunk/NetworkingServer/CardPlayer.cpp
22d4d09af65709724000f4b5e23a5c22c46ddd7d
[]
no_license
blakesullivan/Tafe-Work
480c3c5495423018e55669b9436c28d32eb26352
47e9c192b8f1f3c4affbe1a69ef1cae9973f760d
refs/heads/master
2020-09-03T04:30:41.395549
2019-11-04T00:33:07
2019-11-04T00:33:07
219,385,668
0
0
null
null
null
null
UTF-8
C++
false
false
974
cpp
//Blake Sullivan - CardPlayer.cpp #include "CardPlayer.h" CardPlayer::CardPlayer() { for (int i = 0; i < 6; i++) { SetHand(i, 0); if (i < 5) {SetGarden(i, 0);} } SetName(""); SetScore(0); } void CardPlayer::Init(std::string dataString, int id, bool isHost) { std::string sTemp = ""; sTemp = dataString.substr(6, dataString.length()); std::cout << "sTemp: " << sTemp << std::endl; SetName(sTemp.substr(0, sTemp.find(",")).c_str()); SetID(id); SetIsHost(isHost); } void CardPlayer::SetHand(int aPos, int cPos) { m_aiHand[aPos] = cPos; } void CardPlayer::SetGarden(int aPos, int cPos) { m_aiGarden[aPos] = cPos; } void CardPlayer::SetName(std::string n) { m_sName = n; } void CardPlayer::SetScore(int s) { m_iScore = s; } int CardPlayer::GetHand(int aPos) { return m_aiHand[aPos]; } int CardPlayer::GetGarden(int aPos) { return m_aiGarden[aPos]; } std::string CardPlayer::GetName() { return m_sName; } int CardPlayer::GetScore() { return m_iScore; }
[ "blake.r.sullivan@gmail.com" ]
blake.r.sullivan@gmail.com
46ebf72ca608305889494e4757c5ed0528287acf
da47b49a421e81ab34d800989c17c69ded53a416
/howtos/howto7/include/howto7/message/Msg1.h
9badc07595de97e8fa718030a023def4451aff0d
[]
no_license
luismartinezdeanca/cc_tutorial
801f13bdf33cd6a8bed6d9a4a5b713da8e26245d
f7123b19fb10fcf2a77018027d469fe90c81dc89
refs/heads/master
2023-07-25T05:34:26.941075
2021-08-15T00:07:29
2021-08-15T00:07:29
397,905,380
1
1
null
2021-08-31T07:21:12
2021-08-19T10:34:11
null
UTF-8
C++
false
false
3,159
h
// Generated by commsdsl2comms v3.6.4 /// @file /// @brief Contains definition of <b>"Message 1"</b> message and its fields. #pragma once #include <cstdint> #include <tuple> #include "comms/MessageBase.h" #include "comms/field/IntValue.h" #include "comms/options.h" #include "howto7/MsgId.h" #include "howto7/field/FieldBase.h" #include "howto7/message/Msg1Common.h" #include "howto7/options/DefaultOptions.h" namespace howto7 { namespace message { /// @brief Fields of @ref Msg1. /// @tparam TOpt Extra options /// @see @ref Msg1 /// @headerfile "howto7/message/Msg1.h" template <typename TOpt = howto7::options::DefaultOptions> struct Msg1Fields { /// @brief Definition of <b>"F1"</b> field. struct F1 : public comms::field::IntValue< howto7::field::FieldBase<>, std::uint16_t > { /// @brief Name of the field. static const char* name() { return howto7::message::Msg1FieldsCommon::F1Common::name(); } }; /// @brief All the fields bundled in std::tuple. using All = std::tuple< F1 >; }; /// @brief Definition of <b>"Message 1"</b> message class. /// @details /// See @ref Msg1Fields for definition of the fields this message contains. /// @tparam TMsgBase Base (interface) class. /// @tparam TOpt Extra options /// @headerfile "howto7/message/Msg1.h" template <typename TMsgBase, typename TOpt = howto7::options::DefaultOptions> class Msg1 : public comms::MessageBase< TMsgBase, comms::option::def::StaticNumIdImpl<howto7::MsgId_M1>, comms::option::def::FieldsImpl<typename Msg1Fields<TOpt>::All>, comms::option::def::MsgType<Msg1<TMsgBase, TOpt> >, comms::option::def::HasName > { // Redefinition of the base class type using Base = comms::MessageBase< TMsgBase, comms::option::def::StaticNumIdImpl<howto7::MsgId_M1>, comms::option::def::FieldsImpl<typename Msg1Fields<TOpt>::All>, comms::option::def::MsgType<Msg1<TMsgBase, TOpt> >, comms::option::def::HasName >; public: /// @brief Provide names and allow access to internal fields. /// @details See definition of @b COMMS_MSG_FIELDS_NAMES macro /// related to @b comms::MessageBase class from COMMS library /// for details. /// /// The generated values, types and functions are: /// @li @b FieldIdx_f1 index, @b Field_f1 type and @b field_f1() access fuction /// for @ref Msg1Fields::F1 field. COMMS_MSG_FIELDS_NAMES( f1 ); // Compile time check for serialisation length. static const std::size_t MsgMinLen = Base::doMinLength(); static const std::size_t MsgMaxLen = Base::doMaxLength(); static_assert(MsgMinLen == 2U, "Unexpected min serialisation length"); static_assert(MsgMaxLen == 2U, "Unexpected max serialisation length"); /// @brief Name of the message. static const char* doName() { return howto7::message::Msg1Common::name(); } }; } // namespace message } // namespace howto7
[ "arobenko@gmail.com" ]
arobenko@gmail.com
e1efb9904532fc6f6638b0b44d08c49a16fc2eec
29be7c52e05d32a4b02e6c0a1a6424abb2f60d57
/fuse-qreader/Example/build/Android/Debug/app/src/main/include/Fuse.Animations.Discr-ed319c64.h
7abaa8ad7ff809abe54a0d44c8fe53d7992b4fe8
[ "MIT" ]
permissive
redtree0/CITOS-APP
3b8cbc86fd88f6adb5b480035788eac08290c7a6
624f69770d8573dffc174f1f9540c22f19c71f14
refs/heads/master
2020-03-29T05:42:49.041569
2018-09-25T14:24:55
2018-09-25T14:24:55
149,594,359
0
0
null
2018-09-20T10:47:57
2018-09-20T10:47:57
null
UTF-8
C++
false
false
2,192
h
// This file was generated based on C:/Users/채재윤융합IT학부/AppData/Local/Fusetools/Packages/Fuse.Animations/1.9.0/DiscreteSingleTrack.uno. // WARNING: Changes might be lost if you edit this file directly. #pragma once #include <Fuse.Animations.Discr-864f74d9.h> #include <Fuse.Animations.TrackProvider.h> #include <Uno.Object.h> namespace g{namespace Fuse{namespace Animations{struct DiscreteSingleTrack;}}} namespace g{namespace Fuse{namespace Animations{struct TrackAnimator;}}} namespace g{namespace Fuse{namespace Animations{struct TrackAnimatorState;}}} namespace g{ namespace Fuse{ namespace Animations{ // internal sealed class DiscreteSingleTrack :5 // { struct DiscreteSingleTrack_type : uType { ::g::Fuse::Animations::DiscreteTrackProvider interface0; ::g::Fuse::Animations::TrackProvider interface1; }; DiscreteSingleTrack_type* DiscreteSingleTrack_typeof(); void DiscreteSingleTrack__ctor__fn(DiscreteSingleTrack* __this); void DiscreteSingleTrack__FuseAnimationsDiscreteTrackProviderGetSeekProgress_fn(DiscreteSingleTrack* __this, ::g::Fuse::Animations::TrackAnimatorState* tas, double* progress, double* interval, int32_t* dir, uObject** value, double* strength, int32_t* __retval); void DiscreteSingleTrack__FuseAnimationsDiscreteTrackProviderGetSeekTime_fn(DiscreteSingleTrack* __this, ::g::Fuse::Animations::TrackAnimatorState* tas, double* elapsed, double* interval, int32_t* dir, uObject** value, double* strength, int32_t* __retval); void DiscreteSingleTrack__FuseAnimationsTrackProviderGetAnimatorVariant_fn(DiscreteSingleTrack* __this, ::g::Fuse::Animations::TrackAnimator* ta, int32_t* __retval); void DiscreteSingleTrack__FuseAnimationsTrackProviderGetDuration_fn(DiscreteSingleTrack* __this, ::g::Fuse::Animations::TrackAnimator* ta, int32_t* variant, double* __retval); void DiscreteSingleTrack__New1_fn(DiscreteSingleTrack** __retval); struct DiscreteSingleTrack : uObject { static uSStrong<DiscreteSingleTrack*> Singleton_; static uSStrong<DiscreteSingleTrack*>& Singleton() { return DiscreteSingleTrack_typeof()->Init(), Singleton_; } void ctor_(); static DiscreteSingleTrack* New1(); }; // } }}} // ::g::Fuse::Animations
[ "moter74@naver.com" ]
moter74@naver.com
858c3c4ce7728a4c234e5c60ea3e4229cfab5fd5
5fbb88017bb923155ada36ac3408dfeee17374de
/include/seahorn/Expr/ExprCore.hh
8435b0318affc3521cfc84e8cb379f18c7228763
[ "LicenseRef-scancode-warranty-disclaimer", "BSD-3-Clause", "LicenseRef-scancode-unknown-license-reference" ]
permissive
colinxm/seahorn
3f8449b7b1a8e116e3010a332193955309cc652b
f3125002ea8733d566c0e435937421e25457a6cc
refs/heads/master
2022-12-07T12:43:01.153443
2020-05-12T01:00:11
2020-05-12T20:21:43
263,735,523
0
0
NOASSERTION
2020-05-13T20:25:15
2020-05-13T20:25:14
null
UTF-8
C++
false
false
14,496
hh
/// Core of the Expr library #pragma once namespace expr { namespace op {} using namespace expr::op; class ENode; class ExprFactory; class ExprFactoryAllocator; using Expr = boost::intrusive_ptr<ENode>; using ExprSet = std::set<Expr>; using ExprVector = std::vector<Expr>; using ExprPair = std::pair<Expr, Expr>; using ExprMap = std::map<Expr, Expr>; /* Helper functions to convert from different wrappers over expressions into a pointer to an expression node */ inline ENode *eptr(ENode *p) { return p; } inline const ENode *eptr(const ENode *p) { return p; } inline ENode *eptr(ENode &p) { return &p; } inline const ENode *eptr(const ENode &p) { return &p; } inline ENode *eptr(const Expr &e) { return e.get(); } inline ENode *eptr(Expr &e) { return e.get(); } enum class OpFamilyId { Terminal, BoolOp, CompareOp, NumericOp, MiscOp, SimpleTypeOp, ArrayOp, StructOp, VariantOp, BindOp, BinderOp, BvOp, GateOp, MutModelOp, }; /// \brief An operator labeling a node of an expression tree class Operator { /// \brief Family to which the operator belongs OpFamilyId m_familyId; public: /// \brief No default constructor Operator() = delete; Operator(OpFamilyId family) : m_familyId(family) {} virtual ~Operator(){}; /// \brief Return family of the operator OpFamilyId getFamilyId() const { return m_familyId; } /** Print an expression rooted at the operator OS -- the output strream args -- the arguments of the operator depth -- indentation level for any new line brkt -- whether the context in which the operator is printed -- might be ambiguous and brakets might be required **/ virtual void Print(std::ostream &OS, const std::vector<ENode *> &args, int depth = 0, bool brkt = true) const = 0; virtual bool operator==(const Operator &rhs) const = 0; virtual bool operator<(const Operator &rhs) const = 0; virtual size_t hash() const = 0; virtual bool isMutable() const { return false; } /// \brief Returns heap-allocted copy of the operator virtual Operator *clone(ExprFactoryAllocator &allocator) const = 0; virtual std::string name() const = 0; }; inline std::ostream &operator<<(std::ostream &OS, const Operator &V) { std::vector<ENode *> x; V.Print(OS, x); return OS; } struct EFADeleter { ExprFactoryAllocator *m_efa; EFADeleter(ExprFactoryAllocator &efa) : m_efa(&efa) {} EFADeleter(const EFADeleter &) = default; EFADeleter &operator=(const EFADeleter &o) = default; void operator()(void *p); }; /// \brief An expression tree node class ENode { protected: /** unique identifier of this expression node */ unsigned int id; /** reference counter */ unsigned int count; /// \brief Parent factory that created this node ExprFactory *fac; /// \brief Pointer to children / arguments of this node std::vector<ENode *> args; /// \brief Operator labeling the node std::unique_ptr<Operator, EFADeleter> m_oper; void Deref() { if (count > 0) count--; } /// \brief Set id of the node void setId(unsigned int v) { id = v; } public: ENode(ExprFactory &f, const Operator &o); ~ENode(); ENode() = delete; ENode(const ENode &) = delete; ExprFactory &getFactory() const { return *fac; } ExprFactory &efac() const { return getFactory(); } /** returns the unique id of this expression */ unsigned int getId() const { return id; } void Ref() { count++; } bool isGarbage() const { return count == 0; } bool isMutable() const { return m_oper->isMutable(); } unsigned int use_count() { return count; } ENode *operator[](size_t p) { return arg(p); } ENode *arg(size_t p) { return args[p]; } ENode *left() { return (args.size() > 0) ? args[0] : nullptr; } ENode *right() { return (args.size() > 1) ? args[1] : nullptr; } ENode *first() { return left(); } ENode *last() { return args.size() > 0 ? args[args.size() - 1] : nullptr; } using args_const_iterator = std::vector<ENode *>::const_iterator; bool args_empty() const { return args.empty(); } args_const_iterator args_begin() const { return args.begin(); } args_const_iterator args_end() const { return args.end(); } template <typename iterator> void renew_args(iterator b, iterator e); void push_back(ENode *a) { args.push_back(a); a->Ref(); } size_t arity() const { return args.size(); } const Operator &op() const { return *m_oper; } void Print(std::ostream &OS, int depth = 0, bool brkt = true) const { m_oper->Print(OS, args, depth, brkt); } void dump() const { Print(std::cerr, 0, false); std::cerr << std::endl; } friend class ExprFactory; friend struct std::less<expr::ENode *>; }; inline std::ostream &operator<<(std::ostream &OS, const ENode &V) { V.Print(OS); return OS; } inline std::ostream &operator<<(std::ostream &OS, const ENode *v) { if (v == nullptr) OS << "nullptr"; else OS << *v; return OS; } /// \brief Hash function used by ExprFactory struct ENodeUniqueHash { std::size_t operator()(const ENode *e) const { size_t res = e->op().hash(); size_t a = e->arity(); if (a == 0) return res; auto it = e->args_begin(); if (a >= 1) boost::hash_combine(res, *it); if (a >= 2) boost::hash_combine(res, boost::hash_range(it, e->args_end())); return res; } }; /// \brief Equality function used by ExprFactory struct ENodeUniqueEqual { bool operator()(ENode *const &e1, ENode *const &e2) const { // same arity, same operator, identical children if (e1->arity() == e2->arity() && e1->op() == e2->op()) return std::equal(e1->args_begin(), e1->args_end(), e2->args_begin()); return false; } }; /// \brief Type erasure for Cache struct CacheStub { /// brief Returns true if the stub own the cahce pointer by pointer \p p virtual bool owns(const void *p) = 0; /// \brief Removes a given value \p val from the cache virtual void erase(ENode *val) = 0; CacheStub() = default; virtual ~CacheStub() = default; }; template <typename C> struct CacheStubImpl : CacheStub { C &m_cache; CacheStubImpl(C &c) : m_cache(c){}; virtual bool owns(const void *p) { return p == static_cast<const void *>(&m_cache); } virtual void erase(ENode *val) { m_cache.erase(val); } }; class ExprFactoryAllocator { private: /** pool for tiny objects */ boost::pool<> tiny; /** pool for small objects */ boost::pool<> small; public: ExprFactoryAllocator() : tiny(8, 65536), small(64, 65536){}; ExprFactoryAllocator(const ExprFactoryAllocator &) = delete; void *allocate(size_t n); void free(void *block); EFADeleter get_deleter(); }; class ExprFactory : boost::noncopyable { protected: using unique_entry_type = std::unordered_set<ENode *, ENodeUniqueHash, ENodeUniqueEqual>; using unique_key_type = std::string; // -- type of the unique table using unique_type = std::map<unique_key_type, unique_entry_type>; using caches_type = boost::ptr_vector<CacheStub>; /** pool allocator */ ExprFactoryAllocator allocator; /** list of registered caches */ caches_type caches; // -- unique table unique_type unique; /** counter for assigning unique ids*/ unsigned int idCount; /** returns a unique id > 0 */ unsigned int uniqueId() { return ++idCount; } /** * Remove value from unique table */ void Remove(ENode *val) { clearCaches(val); if (!val->isMutable()) { unique_type::iterator it = unique.find(val->op().name()); // -- can only remove things that have been inserted before assert(it != unique.end()); it->second.erase(val); if (it->second.empty()) unique.erase(it); } freeNode(val); } /** * Clear val from all registered caches */ void clearCaches(ENode *val) { for (CacheStub &c : caches) c.erase(val); } /** * Return the canonical (unique) representetive of the given ENode \p v * The node \p v should not be used after the call */ ENode *canonize(ENode *v) { if (v->isMutable()) { v->setId(uniqueId()); return v; } auto x = unique[v->op().name()].insert(v); if (x.second) { v->setId(uniqueId()); return v; } else { freeNode(v); return *x.first; } } ENode *mkExpr(const Operator &op) { return canonize(allocNode(op)); } template <typename etype> ENode *mkExpr(const Operator &op, etype e) { ENode *eVal = allocNode(op); eVal->push_back(eptr(e)); return canonize(eVal); } /** binary */ template <typename etype> ENode *mkExpr(const Operator &op, etype e1, etype e2) { ENode *eVal = allocNode(op); eVal->push_back(eptr(e1)); eVal->push_back(eptr(e2)); return canonize(eVal); } /** ternary */ template <typename etype> ENode *mkExpr(const Operator &op, etype e1, etype e2, etype e3) { ENode *eVal = allocNode(op); eVal->push_back(eptr(e1)); eVal->push_back(eptr(e2)); eVal->push_back(eptr(e3)); return canonize(eVal); } /** n-ary iterator ranges over cost ENode* */ template <typename iterator> ENode *mkNExpr(const Operator &op, iterator begin, iterator end) { ENode *eVal = allocNode(op); for (; begin != end; ++begin) eVal->push_back(eptr(*begin)); return canonize(eVal); } private: #define FREE_LIST_MAX_SIZE 1024 * 4 std::vector<ENode *> freeList; void freeNode(ENode *n); ENode *allocNode(const Operator &op); public: ExprFactory() : idCount(0) {} /** Derefernce a value */ void Deref(ENode *val) { val->Deref(); if (val->isGarbage()) Remove(val); } /*===================== PUBLIC API ========================================*/ Expr mkTerm(const Operator &o) { return Expr(mkExpr(o)); } Expr mkUnary(const Operator &o, Expr e) { return Expr(mkExpr(o, e.get())); } Expr mkBin(const Operator &o, Expr e1, Expr e2) { return Expr(mkExpr(o, e1.get(), e2.get())); } Expr mkTern(const Operator &o, Expr e1, Expr e2, Expr e3) { return Expr(mkExpr(o, e1.get(), e2.get(), e3.get())); } template <typename iterator> Expr mkNary(const Operator &o, iterator b, iterator e) { return Expr(mkNExpr(o, b, e)); } template <typename Range> Expr mkNary(const Operator &o, const Range &r) { return mkNary(o, begin(r), end(r)); } template <typename Cache> void registerCache(Cache &cache) { // -- to avoid double registration unregisterCache(cache); caches.push_back(static_cast<CacheStub *>(new CacheStubImpl<Cache>(cache))); } template <typename Cache> bool unregisterCache(const Cache &cache) { const void *ptr = static_cast<const void *>(&cache); for (caches_type::iterator it = caches.begin(), end = caches.end(); it != end; ++it) if (it->owns(ptr)) { caches.erase(it); return true; } return false; } friend class ENode; }; inline ENode::ENode(ExprFactory &f, const Operator &o) : count(0), fac(&f), m_oper(o.clone(f.allocator), f.allocator.get_deleter()) {} } // namespace expr inline void *operator new(size_t n, expr::ExprFactoryAllocator &alloc) { return alloc.allocate(n); } inline void operator delete(void *p, expr::ExprFactoryAllocator &alloc) { alloc.free(p); } namespace expr { inline void ExprFactory::freeNode(ENode *n) { if (freeList.size() < FREE_LIST_MAX_SIZE) { for (ENode *a : n->args) Deref(a); n->args.clear(); n->m_oper.reset(); if (freeList.size() < FREE_LIST_MAX_SIZE) { assert(n->count == 0); freeList.push_back(n); return; } } operator delete(static_cast<void *>(n), allocator); } inline ENode *ExprFactory::allocNode(const Operator &op) { if (freeList.empty()) return new (allocator) ENode(*this, op); ENode *res = freeList.back(); freeList.pop_back(); res->m_oper = std::unique_ptr<Operator, EFADeleter>(op.clone(allocator), allocator.get_deleter()); assert(res->count == 0); return res; } inline void *ExprFactoryAllocator::allocate(size_t n) { if (n <= tiny.get_requested_size()) return tiny.malloc(); else if (n <= small.get_requested_size()) return small.malloc(); return static_cast<void *>(new char[n]); } inline void ExprFactoryAllocator::free(void *block) { if (tiny.is_from(block)) tiny.free(block); else if (small.is_from(block)) small.free(block); else delete[] static_cast<char *const>(block); } inline EFADeleter ExprFactoryAllocator::get_deleter() { return EFADeleter(*this); } inline void EFADeleter::operator()(void *p) { operator delete(p, *m_efa); } template <typename iterator> void ENode::renew_args(iterator b, iterator e) { std::vector<ENode *> old = args; args = std::vector<ENode *>(); // -- increment reference count of all new arguments for (; b != e; ++b) this->push_back(eptr(*b)); // -- decrement reference count of all old arguments for (auto b = old.begin(), e = old.end(); b != e; ++b) efac().Deref(*b); } inline ENode::~ENode() { for (auto b = args.begin(), e = args.end(); b != e; ++b) efac().Deref(*b); } /** Required by boost::intrusive_ptr */ inline void intrusive_ptr_add_ref(ENode *v) { v->Ref(); } inline void intrusive_ptr_release(ENode *v) { v->efac().Deref(v); } } // namespace expr // ========================== HASHING ====================================== namespace expr { inline size_t hash_value(Expr e) { if (!e) return 0; std::hash<unsigned int> hasher; return hasher(e->getId()); } } // namespace expr /// implement boost::hash namespace boost { template <> struct hash<expr::Expr> : public std::unary_function<expr::Expr, std::size_t> { std::size_t operator()(const expr::Expr &v) const { return expr::hash_value(v); } }; } // namespace boost /// implement std::hash<expr::Expr> namespace std { template <> struct hash<expr::Expr> : public std::unary_function<expr::Expr, std::size_t> { std::size_t operator()(const expr::Expr &v) const { return expr::hash_value(v); } }; } // namespace std /// std::less<expr::ENode*> namespace std { /** standard order of expressions by their id */ template <> struct less<expr::ENode *> { bool operator()(const expr::ENode *x, const expr::ENode *y) const { if (x == nullptr) return y != nullptr; if (y == nullptr) return false; return x->getId() < y->getId(); } }; } // namespace std
[ "arie.gurfinkel@gmail.com" ]
arie.gurfinkel@gmail.com
a4b2050ca6f0e44e4f835847b3f09fd2c4f1353f
f879d1512a5124271a624fe7d13f8848d82528ec
/Source/Bee/Core/Move.hpp
5afdbef443ee92336025db7cb05bb414123d54e3
[]
no_license
jacobmilligan/Bee
c07d88e54ed0e369dde58af568d58fd1f4d6255b
f7af4b1b43fe511f1df94aaa3e4abb9db60e4709
refs/heads/master
2023-04-15T04:42:15.534580
2021-04-26T16:52:48
2021-04-26T16:52:48
206,082,746
0
0
null
null
null
null
UTF-8
C++
false
false
628
hpp
/* * Forward.hpp * Bee * * Copyright (c) 2020 Jacob Milligan. All rights reserved. */ #pragma once namespace bee { namespace detail { template<class T> struct remove_ref { using type = T; }; template<class T> struct remove_ref<T&> { using type = T; }; template<class T> struct remove_ref<T&&> { using type = T; }; } // namespace detail /* * # BEE_MOVE * * this is a replacement for BEE_MOVE used to avoid having to include <utility> (which also includes <type_traits>) */ #define BEE_MOVE(...) static_cast<typename ::bee::detail::remove_ref<decltype(__VA_ARGS__)>::type&&>(__VA_ARGS__) } // namespace bee
[ "jacobpmilligan@gmail.com" ]
jacobpmilligan@gmail.com
2aac806150e96c79b89fe072fc15497ade067cd7
1a8cfb2792b6f897980a3ef745ba519bbcd37ab6
/Menus/Menus.cpp
fdec7e35d7e54624b50318c9d2660d4ddf537ee5
[]
no_license
Etne-Ha/Ping-Pong-Game
2d593fd3d9783116fff28f43063e578e92357fef
d11770642101f5e2615d1576720713c44e55597c
refs/heads/master
2020-09-22T12:35:24.058847
2019-12-28T08:30:26
2019-12-28T08:30:26
225,196,653
0
0
null
null
null
null
UTF-8
C++
false
false
36,036
cpp
#include "Menus.h" //Khoi tao cac gia tri dau cho viec tao man hinh choi game //Cau hinh 1257, 730 void Init(SDL_Window*& window, SDL_Renderer*& renderer) { //initializes the subsystems if (SDL_Init(SDL_INIT_EVERYTHING) < 0) { printf("Unable to initialize SDL %s\n", SDL_GetError()); return; } //Create window window = SDL_CreateWindow("Ping Pong Game Ultimate!!!", SDL_WINDOWPOS_CENTERED, SDL_WINDOWPOS_CENTERED, 1257, 730, SDL_WINDOW_SHOWN); if (window == NULL) { printf("Could not create window %s", SDL_GetError()); return; } //create a renderer renderer = SDL_CreateRenderer(window, -1, SDL_RENDERER_ACCELERATED); if (renderer == NULL) { printf("Could not create render %s", SDL_GetError()); return; } TTF_Init(); } //Ham hhuy cac gia tri khoi tao man hinh void Del_Init(SDL_Window*& gWindow, SDL_Renderer*& gRenderer) { //Destroy Renderer SDL_DestroyRenderer(gRenderer); gRenderer = NULL; //Destroy window SDL_DestroyWindow(gWindow); gWindow = NULL; //Quit SDL subsystems IMG_Quit(); SDL_Quit(); } //Bang menu dau game int Menu(SDL_Window*& window, SDL_Renderer*& renderer) { SDL_Surface* tempSurface = NULL; SDL_Texture* texture = NULL; SDL_Rect sourceRect; SDL_Rect desRect; int x, y; TTF_Font* font = NULL; font = TTF_OpenFont("font2.ttf", 50); const int NUMMENU = 4; bool selected[NUMMENU] = { 0, 0, 0, 0 }; //Khoi tao ten cho cac nut man hinh Menu const char* menu[NUMMENU] = { "Start", "Score", "Load", "Exit" }; SDL_Surface* menus[NUMMENU]; SDL_Rect pos[NUMMENU]; //Mau khi cham va khong cham cua cac nut man hinh Menu SDL_Color color[2] = { { 246,235,0 }, { 255, 0, 0 } }; for (int i = 0; i < NUMMENU; i++) { menus[i] = TTF_RenderText_Solid(font, menu[i], color[0]); } SDL_Texture* Message[NUMMENU]; for (int i = 0; i < NUMMENU; i++) { Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } //Khoi tao mang chua vi tri cac nut man hinh Menu SDL_Rect despos[NUMMENU]; for (int i = 0; i < NUMMENU; i++) { TTF_SizeText(font, menu[i], &pos[i].w, &pos[i].h); pos[i].x = 0; pos[i].y = 0; despos[i].x = 1050 - pos[0].w / 2; despos[i].y = 170 + i * 100; despos[i].w = pos[i].w; despos[i].h = pos[i].h; } //Background cua man hinh Menu //create a tempSurface tempSurface = IMG_Load("Image\\background.jpg"); //create a texutre from surface texture = SDL_CreateTextureFromSurface(renderer, tempSurface); //free surface SDL_FreeSurface(tempSurface); SDL_QueryTexture(texture, NULL, NULL, &sourceRect.w, &sourceRect.h); sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //set background color black SDL_SetRenderDrawColor(renderer, 0, 0, 0, 255); //main loop SDL_Event e; int isRunning = -1; while (isRunning == -1) { // clear the window to black SDL_RenderClear(renderer); //main event while (SDL_PollEvent(&e)) { switch (e.type) { //User - requested quit case SDL_QUIT: { isRunning = 3; } case SDL_MOUSEMOTION: { x = e.motion.x; y = e.motion.y; for (int i = 0; i < NUMMENU; i += 1) { if (x >= despos[i].x && x <= despos[i].x + despos[i].w && y >= despos[i].y && y <= despos[i].y + despos[i].h) { if (!selected[i]) { selected[i] = 1; SDL_FreeSurface(menus[i]); menus[i] = TTF_RenderText_Solid(font, menu[i], color[1]); Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } } else { if (selected[i]) { selected[i] = 0; SDL_FreeSurface(menus[i]); menus[i] = TTF_RenderText_Solid(font, menu[i], color[0]); Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } } } break; } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; for (int i = 0; i < NUMMENU; i += 1) { if (x >= despos[i].x && x <= despos[i].x + despos[i].w && y >= despos[i].y && y <= despos[i].y + despos[i].h) { switch (i) { case 0: { pre_start(window, renderer); break; } case 1: { sc_score(window, renderer, -1); break; } case 2: { load(window, renderer); break; } case 3: { exit(window, renderer); isRunning = 3; break; } default: break; } } } break; } default: { break; } } } // copy a portion of the texture to the current rendering target. SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); //Chen cac nut vao man hinh for (int i = 0; i < NUMMENU; i++) { SDL_RenderCopy(renderer, Message[i], &pos[i], &despos[i]); } SDL_RenderPresent(renderer); } SDL_FreeSurface(menus[0]); SDL_FreeSurface(menus[1]); SDL_FreeSurface(menus[2]); SDL_FreeSurface(menus[3]); return isRunning; } //Nhap ten nguoi choi string EnterPlayerName(SDL_Window*& window, SDL_Renderer*& renderer) { TTF_Font* font; font = TTF_OpenFont("font2.ttf", 50); TTF_Font* font1; font1 = TTF_OpenFont("inputext.ttf", 50); SDL_Color color = { 246, 235, 0 }; //Background cua man hinh SDL_Surface* backgr = NULL; SDL_Texture* background = NULL; SDL_Rect sourceRect; SDL_Rect desRect; backgr = IMG_Load("Image\\inname.jpg"); background = SDL_CreateTextureFromSurface(renderer, backgr); SDL_FreeSurface(backgr); SDL_QueryTexture(background, NULL, NULL, &sourceRect.w, &sourceRect.h); sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //Nut Back SDL_Surface* bc = NULL; SDL_Texture* back = NULL; SDL_Rect rect; SDL_Rect b_rect; const char* back_k = "Back"; bc = TTF_RenderText_Solid(font, back_k, color); back = SDL_CreateTextureFromSurface(renderer, bc); SDL_FreeSurface(bc); TTF_SizeText(font, back_k, &rect.w, &rect.h); rect.x = 0; rect.y = 0; b_rect.x = 100 - rect.w / 2; b_rect.y = 600; b_rect.w = rect.w; b_rect.h = rect.h; string text = ""; SDL_StartTextInput(); SDL_Surface* temp; SDL_Texture* texture; SDL_Rect pos; SDL_Rect despos; SDL_Event e; pos.x = 0; pos.y = 0; despos.y = 340; SDL_SetRenderDrawColor(renderer, 0, 0, 0, 255); int x, y; SDL_RenderCopy(renderer, background, &sourceRect, &desRect); bool selected = false; bool isRunning = true; while (isRunning) { while (SDL_PollEvent(&e) != 0) { //Getting the quit and the keyboard events switch (e.type) { case SDL_QUIT: { SDL_Quit(); } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; if (x >= b_rect.x && x <= b_rect.x + b_rect.w && y >= b_rect.y && y <= b_rect.y + b_rect.h) { return ""; } break; } default: { break; } } if (e.type == SDL_TEXTINPUT || e.type == SDL_KEYDOWN) { if (e.type == SDL_KEYDOWN && (e.key.keysym.sym == SDLK_KP_ENTER || e.key.keysym.sym == SDLK_RETURN) && text.length() > 0) return text; SDL_RenderCopy(renderer, background, &sourceRect, &desRect); if (e.type == SDL_KEYDOWN && e.key.keysym.sym == SDLK_BACKSPACE && text.length() > 0) text = text.substr(0, text.length() - 1); else if (e.type == SDL_TEXTINPUT && text.size() <= 15) text += e.text.text; temp = CreateSurfaceFromString(text.c_str(), font1, color); texture = SDL_CreateTextureFromSurface(renderer, temp); SDL_FreeSurface(temp); TTF_SizeText(font1, text.c_str(), &pos.w, &pos.h); despos.x = 600 - pos.w / 2; despos.w = pos.w; despos.h = pos.h; SDL_RenderCopy(renderer, texture, &pos, &despos); } } SDL_RenderCopy(renderer, back, &rect, &b_rect); SDL_RenderPresent(renderer); } SDL_StopTextInput(); return text; } //Bang Chon the loai choi int pre_start(SDL_Window * &window, SDL_Renderer * &renderer) { string name_player = EnterPlayerName(window, renderer); if (name_player == "") return 0; SDL_Surface * tempSurface = NULL; SDL_Texture * texture = NULL; SDL_Rect sourceRect; SDL_Rect desRect; int x, y; TTF_Font * font; font = TTF_OpenFont("font2.ttf", 50); const int NUMMENU = 3; bool selected[NUMMENU] = { 0, 0, 0 }; //Khoi tao ten cho cac nut man hinh Menu const char* menu[NUMMENU] = { "Modern", "Classic", "Back" }; SDL_Surface * menus[NUMMENU]; SDL_Rect pos[NUMMENU]; //Mau khi cham va khong cham cua cac nut man hinh Menu SDL_Color color[2] = { { 246, 235, 0 }, { 255, 0, 0 } }; for (int i = 0; i < NUMMENU; i++) { menus[i] = TTF_RenderText_Solid(font, menu[i], color[0]); } SDL_Texture* Message[NUMMENU]; for (int i = 0; i < NUMMENU; i++) { Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } //Khoi tao mang chua vi tri cac nut man hinh Menu SDL_Rect despos[NUMMENU]; for (int i = 0; i < NUMMENU; i++) { TTF_SizeText(font, menu[i], &pos[i].w, &pos[i].h); pos[i].x = 0; pos[i].y = 0; despos[i].x = 1075 - pos[0].w / 2; despos[i].y = 200 + i * 100; despos[i].w = pos[i].w; despos[i].h = pos[i].h; } //Background cua man hinh Menu //create a tempSurface tempSurface = IMG_Load("Image\\typegame.jpeg"); //create a texutre from surface texture = SDL_CreateTextureFromSurface(renderer, tempSurface); //free surface SDL_FreeSurface(tempSurface); SDL_QueryTexture(texture, NULL, NULL, &sourceRect.w, &sourceRect.h); sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //Tao cac demo choi game SDL_Surface* demo = NULL; SDL_Texture* demo1 = NULL; SDL_Texture* demo2 = NULL; SDL_Rect d_rect1, d_rect2, d_desrect1, d_desrect2; demo = IMG_Load("Image\\demo1.bmp"); demo1 = SDL_CreateTextureFromSurface(renderer, demo); demo = IMG_Load("Image\\demo2.bmp"); demo2 = SDL_CreateTextureFromSurface(renderer, demo); //Set toa do cua cac hinh demo d_rect1.x = 0; d_rect1.y = 0; d_rect1.w = 340; d_rect1.h = 470; d_desrect1.x = 209; d_desrect1.y = 130; d_desrect1.w = d_rect1.w; d_desrect1.h = d_rect1.h; d_rect2.x = 0; d_rect2.y = 0; d_rect2.w = 340; d_rect2.h = 470; d_desrect2.x = 209; d_desrect2.y = 130; d_desrect2.w = d_rect2.w; d_desrect2.h = d_rect2.h; //set background color black SDL_SetRenderDrawColor(renderer, 0, 0, 0, 255); SDL_Event e; int isRunning = -1; while (true) { // clear the window to black SDL_RenderClear(renderer); //main event while (SDL_PollEvent(&e)) { switch (e.type) { //User - requested quit case SDL_QUIT: { SDL_Quit(); } case SDL_MOUSEMOTION: { x = e.motion.x; y = e.motion.y; for (int i = 0; i < NUMMENU; i += 1) { if (x >= despos[i].x && x <= despos[i].x + despos[i].w && y >= despos[i].y && y <= despos[i].y + despos[i].h) { if (!selected[i]) { selected[i] = 1; SDL_FreeSurface(menus[i]); menus[i] = TTF_RenderText_Solid(font, menu[i], color[1]); Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } } else { if (selected[i]) { selected[i] = 0; SDL_FreeSurface(menus[i]); menus[i] = TTF_RenderText_Solid(font, menu[i], color[0]); Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } } } break; } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; for (int i = 0; i < NUMMENU; i += 1) { if (x >= despos[i].x && x <= despos[i].x + despos[i].w && y >= despos[i].y && y <= despos[i].y + despos[i].h) { isRunning = i; switch (isRunning) { case 0: { Start_new(window, renderer, name_player, "1" ,0); break; } case 1: { Start_classic(window, renderer); break; } case 2: { return -1; } default: break; } } } break; } default: { break; } } } // copy a portion of the texture to the current rendering target. SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); //Chen cac nut vao man hinh for (int i = 0; i < NUMMENU; i++) { SDL_RenderCopy(renderer, Message[i], &pos[i], &despos[i]); } if (selected[0]) SDL_RenderCopy(renderer, demo1, &d_rect1, &d_desrect1); if (selected[1]) SDL_RenderCopy(renderer, demo2, &d_rect2, &d_desrect2); SDL_RenderPresent(renderer); } return 0; } //Bang Top nhung nguoi choi co so diem cao nhat void sc_score(SDL_Window * &window, SDL_Renderer * &renderer, int score) { //Mau khi cham va khong cham cua cac nut man hinh high score SDL_Color color[2] = { { 246, 235, 0 }, { 255, 0, 0 } }; SDL_Surface* tempSurface = NULL; SDL_Texture* texture = NULL; SDL_Rect sourceRect; SDL_Rect desRect; const char* back = "Back"; int x, y; TTF_Font* font; font = TTF_OpenFont("font2.ttf", 50); const int highScore = 10; bool selected; //Khoi tao diem cua ban (neu co se hien thi) SDL_Surface* yourscore = NULL; SDL_Texture* your_score = NULL; SDL_Rect sc_rect, sc_desrect; string urscore = "Your score: " + to_string(score); yourscore = CreateSurfaceFromString(urscore.c_str(), font, color[1]); your_score = SDL_CreateTextureFromSurface(renderer, yourscore); SDL_FreeSurface(yourscore); TTF_SizeText(font, urscore.c_str(), &sc_rect.w, &sc_rect.h); sc_rect.x = 0; sc_rect.y = 0; sc_desrect.x = 585 - sc_rect.w / 2; sc_desrect.y = 648; sc_desrect.w = sc_rect.w; sc_desrect.h = sc_rect.h; //Khoi tao ten cho cac nut man hinh high score char menu[highScore][11]; FILE* file; file = fopen("HighScore.txt", "r"); if (file == NULL) { cout << "Loi mo file\n"; } for (int j = 0; j < highScore; j++) { fscanf(file, "%s[^\n]", menu[j]); } fclose(file); SDL_Surface* menus[highScore]; SDL_Surface* back_b; SDL_Rect pos[highScore]; back_b = TTF_RenderText_Solid(font, back, color[0]); for (int i = 0; i < highScore; i++) { menus[i] = CreateSurfaceFromString(menu[i], font, color[0]); } SDL_Texture* Message[highScore]; SDL_Texture* mess_back; mess_back = SDL_CreateTextureFromSurface(renderer, back_b); for (int i = 0; i < highScore; i++) { Message[i] = SDL_CreateTextureFromSurface(renderer, menus[i]); } //Khoi tao mang chua vi tri cac nut man hinh high score SDL_Rect despos[highScore]; for (int i = 0; i < highScore; i += 2) { TTF_SizeText(font, menu[i], &pos[i].w, &pos[i].h); pos[i].x = 0; pos[i].y = 0; despos[i].x = 430 - pos[0].w / 2; despos[i].y = 180 + i / 2 * 94; despos[i].w = pos[i].w; despos[i].h = pos[i].h; TTF_SizeText(font, menu[i + 1], &pos[i + 1].w, &pos[i + 1].h); pos[i + 1].x = 0; pos[i + 1].y = 0; despos[i + 1].x = 750 - pos[1].w / 2; despos[i + 1].y = 180 + i / 2 * 94; despos[i + 1].w = pos[i + 1].w; despos[i + 1].h = pos[i + 1].h; } //Nut Back SDL_Rect b_pos; SDL_Rect b_despos; TTF_SizeText(font, back, &b_pos.w, &b_pos.h); b_pos.x = 0; b_pos.y = 0; b_despos.x = 100 - b_pos.w / 2; b_despos.y = 600; b_despos.w = b_pos.w; b_despos.h = b_pos.h; //Background cua man hinh high score //create a tempSurface tempSurface = IMG_Load("Image\\highscore.jpg"); //create a texutre from surface texture = SDL_CreateTextureFromSurface(renderer, tempSurface); //free surface SDL_FreeSurface(tempSurface); SDL_QueryTexture(texture, NULL, NULL, &sourceRect.w, &sourceRect.h); sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //set background color black SDL_SetRenderDrawColor(renderer, 0, 0, 0, 255); SDL_Event e; int isRunning = -1; while (isRunning == -1) { // clear the window to black SDL_RenderClear(renderer); //main event while (SDL_PollEvent(&e)) { switch (e.type) { //User - requested quit case SDL_QUIT: { SDL_Quit(); } case SDL_MOUSEMOTION: { x = e.motion.x; y = e.motion.y; if (x >= b_despos.x && x <= b_despos.x + b_despos.w && y >= b_despos.y && y <= b_despos.y + b_despos.h) { if (!selected) { selected = 1; SDL_FreeSurface(back_b); back_b = TTF_RenderText_Solid(font, back, color[1]); mess_back = SDL_CreateTextureFromSurface(renderer, back_b); } } else { if (selected) { selected = 0; SDL_FreeSurface(back_b); back_b = TTF_RenderText_Solid(font, back, color[0]); mess_back = SDL_CreateTextureFromSurface(renderer, back_b); } } break; } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; for (int i = 0; i < highScore; i += 1) { if (x >= b_despos.x && x <= b_despos.x + b_despos.w && y >= b_despos.y && y <= b_despos.y + b_despos.h) { return; } } break; } default: { break; } } } // copy a portion of the texture to the current rendering target. SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); //Chen diem cua ban neu co if (score != -1) { SDL_RenderCopy(renderer, your_score, &sc_rect, &sc_desrect); } //Chen cac nut vao man hinh for (int i = 0; i < highScore; i++) { SDL_RenderCopy(renderer, Message[i], &pos[i], &despos[i]); } SDL_RenderCopy(renderer, mess_back, &b_pos, &b_despos); SDL_RenderPresent(renderer); } return; } //Bang load Game da save void load(SDL_Window * &window, SDL_Renderer * &renderer) { SDL_Color color[2] = { { 246, 235, 0 }, { 225, 0, 0 } }; SDL_Surface* tempSurface = NULL; SDL_Texture* texture = NULL; SDL_Rect sourceRect, desRect; //Background cua man hinh high score //create a tempSurface tempSurface = IMG_Load("Image\\loadbackground.jpg"); //create a texutre from surface texture = SDL_CreateTextureFromSurface(renderer, tempSurface); //free surface SDL_FreeSurface(tempSurface); SDL_QueryTexture(texture, NULL, NULL, &sourceRect.w, &sourceRect.h); sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //Khung nut Back const char* back = "Back"; TTF_Font* font1; font1 = TTF_OpenFont("inputext.ttf", 50); TTF_Font* font; font = TTF_OpenFont("font2.ttf", 50); SDL_Surface* temp; SDL_Texture* b_back; SDL_Rect b_pos; SDL_Rect b_despos; temp = TTF_RenderText_Solid(font, back, color[0]); b_back = SDL_CreateTextureFromSurface(renderer, temp); TTF_SizeText(font, back, &b_pos.w, &b_pos.h); b_pos.x = 0; b_pos.y = 0; b_despos.x = 100 - b_pos.w / 2; b_despos.y = 600; b_despos.w = b_pos.w; b_despos.h = b_pos.h; //Get file "save\\dat.txt" de lay thong tin cac file da save //Toi da 4 file moi nhat string data[5]; ifstream file; string str; int i = 0; const int numb = 4; int k = 0; file.open("save\\dat.txt"); while (!file.eof()) { getline(file, str); if (str.compare("") == 0) break; data[i] = str; i++; i = i % 4; if (k < 4) k++; } file.close(); //Tao k( k<= 4) file va hien thi ra man hinh SDL_Surface* temp_file_name[numb]; SDL_Texture* file_name[numb]; SDL_Rect rect[numb], desrect[numb]; for (int i = 0; i < k; i++) { temp_file_name[i] = CreateSurfaceFromString(data[i].c_str(), font, color[0]); file_name[i] = SDL_CreateTextureFromSurface(renderer, temp_file_name[i]); TTF_SizeText(font, data[i].c_str(), &rect[i].w, &rect[i].h); rect[i].x = 0; rect[i].y = 0; desrect[i].x = 350 + rect[0].w / 2; desrect[i].y = 180 + i * 95; desrect[i].w = rect[i].w; desrect[i].h = rect[i].h; } string text = ""; SDL_Rect pos, despos; SDL_Surface* temp_text; SDL_Texture* texture_text; temp_text = CreateSurfaceFromString(text.c_str(), font, color[0]); texture_text = SDL_CreateTextureFromSurface(renderer, temp_text); TTF_SizeText(font, text.c_str(), &pos.w, &pos.h); pos.x = 0; pos.y = 0; despos.x = 600 - pos.w / 2; despos.y = 550; despos.w = pos.w; despos.h = pos.h; int selected[numb]; int b_selected = 0; //Toa do cua con tro int x = 0; int y = 0; SDL_Event e; SDL_StartTextInput(); while (true) { while (SDL_PollEvent(&e) != 0) { //Getting the quit and the keyboard events switch (e.type) { case SDL_QUIT: { SDL_Quit(); } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; if (x >= b_despos.x && x <= b_despos.x + b_despos.w && y >= b_despos.y && y <= b_despos.y + b_despos.h) { SDL_StopTextInput(); cout << "back" << endl; return; } for (int i = 0; i < k; i += 1) { if (x >= desrect[i].x && x <= desrect[i].x + desrect[i].w && y >= desrect[i].y && y <= desrect[i].y + desrect[i].h) { SDL_StopTextInput(); return Start_new(window, renderer, "", data[i], 0); } } break; } case SDL_MOUSEMOTION: { x = e.motion.x; y = e.motion.y; if (x >= b_despos.x && x <= b_despos.x + b_despos.w && y >= b_despos.y && y <= b_despos.y + b_despos.h) { if (!b_selected) { b_selected = 1; SDL_FreeSurface(temp); temp = TTF_RenderText_Solid(font, back, color[1]); b_back = SDL_CreateTextureFromSurface(renderer, temp); } } else { if (b_selected) { b_selected = 0; SDL_FreeSurface(temp); temp = TTF_RenderText_Solid(font, back, color[0]); b_back = SDL_CreateTextureFromSurface(renderer, temp); } } for (int i = 0; i < k; i++) { if (x >= desrect[i].x && x <= desrect[i].x + desrect[i].w && y >= desrect[i].y && y <= desrect[i].y + desrect[i].h) { if (!selected[i]) { selected[i] = 1; SDL_FreeSurface(temp_file_name[i]); temp_file_name[i] = CreateSurfaceFromString(data[i].c_str(), font, color[1]); file_name[i] = SDL_CreateTextureFromSurface(renderer, temp_file_name[i]); } } else { if (selected[i]) { selected[i] = 0; SDL_FreeSurface(temp_file_name[i]); temp_file_name[i] = CreateSurfaceFromString(data[i].c_str(), font, color[0]); file_name[i] = SDL_CreateTextureFromSurface(renderer, temp_file_name[i]); } } } break; } default: { break; } } if (e.type == SDL_TEXTINPUT || e.type == SDL_KEYDOWN) { if (e.type == SDL_KEYDOWN && (e.key.keysym.sym == SDLK_KP_ENTER || e.key.keysym.sym == SDLK_RETURN) && text.length() > 0) { SDL_StopTextInput(); return Start_new(window, renderer, "", text,0); } if (e.type == SDL_KEYDOWN && e.key.keysym.sym == SDLK_BACKSPACE && text.length() > 0) text = text.substr(0, text.length() - 1); else if (e.type == SDL_TEXTINPUT && text.size() <= 15) text += e.text.text; temp_text = CreateSurfaceFromString(text.c_str(), font1, color[0]); texture_text = SDL_CreateTextureFromSurface(renderer, temp_text); SDL_FreeSurface(temp_text); TTF_SizeText(font1, text.c_str(), &pos.w, &pos.h); despos.x = 600 - pos.w / 2; despos.w = pos.w; despos.h = pos.h; } } SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); SDL_RenderCopy(renderer, texture_text, &pos, &despos); for (int i = 0; i < k; i++) SDL_RenderCopy(renderer, file_name[i], &rect[i], &desrect[i]); SDL_RenderCopy(renderer, b_back, &b_pos, &b_despos); SDL_RenderPresent(renderer); } SDL_StopTextInput(); } //Ham thoat game void exit(SDL_Window*& window, SDL_Renderer*& renderer) { Del_Init(window, renderer); } //Choi game the loai moi void Start_new(SDL_Window*& window, SDL_Renderer*& renderer, string name, string file_name, int score) { const int h[8] = { 0, 1, -1, 0, -1, 1, 1, -1 }; const int k[8] = { -1, 0, 0, 1, -1, -1, 1, 1 }; const int _top = 140; const int _bot = 700; const int _left = 440; const int _right = 850; Paddle p2((_left + _right) / 2, _bot - 20, 120, _left, _right, "init\\bar2.png", renderer, NONE); // tạo thanh trượt dưới Paddle* _playerBottom = &p2; // trỏ tới thanh trượt dưới Ball b((float)(_left + _right) / 2, (float)((_top + _bot) / 2 + 200), "init\\ball.png", renderer, DOWN); // tạo trái banh Ball* _ball = &b; // trỏ tới trái banh //Lay map ban do Object listObject[11][17]; const int numb_obj = 160; int life = 3; int ox[numb_obj]; int oy[numb_obj]; int key[numb_obj]; p2.SetScore(score); int last_score = -1; int numb = 0; int numb_x = 0; ifstream file; if (name.compare("") == 0) { string str = "save\\" + file_name + ".txt"; file.open(str); if (!file) { cout << "mo file loi" << endl; } file >> score; p2.SetScore(score); file >> life; file >> file_name; while (!file.eof()) { file >> ox[numb] >> oy[numb] >> key[numb]; if (key[numb] != 3) numb_x++; numb++; } name = file_name; } else { string str = "map\\" + file_name + ".txt"; file.open(str); if (!file) { cout << "mo file loi" << endl; } while (!file.eof()) { file >> ox[numb] >> oy[numb] >> key[numb]; if (key[numb] != 3) numb_x++; numb++; } } //Bo dong cuoi cung trong file map numb--; numb_x--; cout << numb << endl<<numb_x; file.close(); //lay gia tri toa do con tro int x, y; //Creat object from file SDL_Surface* obj[3]; obj[0] = IMG_Load("init\\obj_1.bmp"); obj[1] = IMG_Load("init\\obj_2.bmp"); obj[2] = IMG_Load("init\\obj_3.bmp"); SDL_Texture* object[numb_obj]; SDL_Rect rect[numb_obj]; SDL_Rect keyRect[numb_obj]; for (int i = 0; i < numb; i++) { object[i] = SDL_CreateTextureFromSurface(renderer, obj[key[i] - 1]); SDL_QueryTexture(object[i], NULL, NULL, &rect[i].w, &rect[i].h); rect[i].x = 0; rect[i].y = 0; keyRect[i].x = ox[i] + 444; keyRect[i].y = oy[i] + 140; keyRect[i].w = rect[i].w; keyRect[i].h = rect[i].h; int dx = ox[i] / 40; int dy = oy[i] / 20; listObject[dx][dy].Get_Object(keyRect[i].x, keyRect[i].y, keyRect[i].w, keyRect[i].h, key[i]); } //Nut Save Game phan ingame SDL_Surface* s; SDL_Texture* save; SDL_Color color[2] = { { 255, 255, 255 }, { 255, 0, 0 } }; const char* sa = "Save"; SDL_Rect s_rect; SDL_Rect s_desrect; TTF_Font* font; font = TTF_OpenFont("font2.ttf", 50); s = TTF_RenderText_Solid(font, sa, color[0]); save = SDL_CreateTextureFromSurface(renderer, s); TTF_SizeText(font, sa, &s_rect.w, &s_rect.h); //Lay toa do s_rect.x = 0; s_rect.y = 0; s_desrect.x = 150 - s_rect.w / 2; s_desrect.y = 600; s_desrect.w = s_rect.w; s_desrect.h = s_rect.h; //Khung diem so SDL_Surface* temp = NULL; SDL_Texture* text = NULL; SDL_Rect sc_rect, sc_desrect; //Lay toa do sc_rect.x = 0; sc_rect.y = 0; sc_desrect.y = 150; //Khung so mang con lai SDL_Surface* ur_life = NULL; SDL_Texture* your_life = NULL; SDL_Rect life_rect[3], life_desrect[3]; //Lay Texture cua so mang ur_life = IMG_Load("init\\ball.png"); your_life = SDL_CreateTextureFromSurface(renderer, ur_life); SDL_FreeSurface(ur_life); //Lay toa do for (int i = 0; i < 3; i++) { SDL_QueryTexture(your_life, NULL, NULL, &life_rect[i].w, &life_rect[i].h); life_rect[i].x = 0; life_rect[i].y = 0; life_desrect[i].x = 1000 + i * 40; life_desrect[i].y = 600; life_desrect[i].w = life_rect[i].w; life_desrect[i].h = life_rect[i].h; } //Background cua man hinh Menu. SDL_Surface* tempSurface = NULL; SDL_Texture* texture = NULL; SDL_Rect sourceRect; SDL_Rect desRect; //create a tempSurface tempSurface = IMG_Load("Image\\ingame.bmp"); //create a texutre from surface texture = SDL_CreateTextureFromSurface(renderer, tempSurface); //free surface SDL_FreeSurface(tempSurface); SDL_QueryTexture(texture, NULL, NULL, &sourceRect.w, &sourceRect.h); //Lay toa do sourceRect.x = 0; sourceRect.y = 0; sourceRect.w = 1257; sourceRect.h = 730; desRect.x = 0; desRect.y = 0; desRect.w = sourceRect.w; desRect.h = sourceRect.h; //Phan chuong trinh chinh string score_text="0"; SDL_Event e; int selected =0; while (true) { _playerBottom->setDir(NONE); // sau cập nhật xong thanh trượt thì hướng di chuyển sễ là đứng yên if (GetAsyncKeyState(VK_LEFT)) //nếu phím mũi tên trái được nhấn { _playerBottom->setDir(PLEFT); // thanh trượt dưới sẽ di chuyển trái } else { if (GetAsyncKeyState(VK_RIGHT)) //nếu phím mũi tên phải được nhấn { _playerBottom->setDir(PRIGHT); // thanh trượt dưới sẽ di chuyển sang phải } } SDL_RenderClear(renderer); //main event while (SDL_PollEvent(&e)) { switch (e.type) { //User - requested quit case SDL_QUIT: { SDL_Quit(); } case SDL_MOUSEMOTION: { x = e.motion.x; y = e.motion.y; if (x >= s_desrect.x && x <= s_desrect.x + s_desrect.w && y >= s_desrect.y && y <= s_desrect.y + s_desrect.h) { if (!selected) { selected = 1; SDL_FreeSurface(s); s = TTF_RenderText_Solid(font, sa, color[1]); save = SDL_CreateTextureFromSurface(renderer, s); } } else { if (selected) { selected = 0; SDL_FreeSurface(s); s = TTF_RenderText_Solid(font, sa, color[0]); save = SDL_CreateTextureFromSurface(renderer, s); } } break; } case SDL_MOUSEBUTTONDOWN: { x = e.motion.x; y = e.motion.y; if (x >= s_desrect.x && x <= s_desrect.x + s_desrect.w && y >= s_desrect.y && y <= s_desrect.y + s_desrect.h) { ofstream file; string str = "save\\" + name + ".txt"; file.open(str); file << score << endl; file << life << endl; file << file_name << endl; for (int i = 0; i < 11; i++) { for (int j = 0; j < 17; j++) if (listObject[i][j].getKey() != 0) { file << i * 40 << " " << j * 20 << " " << listObject[i][j].getKey() << endl; } } file.close(); Save(window, renderer, name); SDL_Surface* shit; SDL_Texture* shit_t; SDL_Rect t_rect, t_desrect; TTF_Font* font1 = TTF_OpenFont("font2.ttf", 100); const char* sh = "Saved"; shit = TTF_RenderText_Solid(font1, sh, color[0]); shit_t = SDL_CreateTextureFromSurface(renderer, shit); TTF_SizeText(font1, sh, &t_rect.w, &t_rect.h); t_rect.x = 0; t_rect.y = 0; t_desrect.x = 400 + t_rect.w / 2; t_desrect.y = 500 / 2 + t_rect.h / 2; t_desrect.w = t_rect.w; t_desrect.h = t_rect.h; SDL_FreeSurface(shit); int k = 0; int i = 0; SDL_RenderCopy(renderer, shit_t, &t_rect, &t_desrect); SDL_RenderPresent(renderer); while (true) { while (SDL_PollEvent(&e)!=0) { } SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); SDL_RenderCopy(renderer, text, &sc_rect, &sc_desrect); //Chen cac object vao man hinh for (int i = 0; i < numb; i++) { SDL_RenderCopy(renderer, object[i], &rect[i], &keyRect[i]); } SDL_RenderCopy(renderer, save, &s_rect, &s_desrect); SDL_RenderCopy(renderer, shit_t, &t_rect, &t_desrect); SDL_RenderPresent(renderer); if (e.type == SDL_KEYDOWN && (e.key.keysym.sym == SDLK_KP_ENTER || e.key.keysym.sym == SDLK_RETURN)) { break; } } } break; } default: { break; } } if (e.type == SDL_KEYDOWN && e.key.keysym.sym == SDLK_ESCAPE) return; } SDL_RenderCopy(renderer, texture, &sourceRect, &desRect); //Chen cac object vao man hinh for (int i = 0; i < numb; i++) { int _x = int(ox[i] / 40); int _y = int(oy[i] / 20); if (listObject[_x][_y].getKey() != DEAD) { SDL_RenderCopy(renderer, object[i], &rect[i], &keyRect[i]); } } SDL_RenderCopy(renderer, save, &s_rect, &s_desrect); if ((_ball->getPos().x < 400) || (_ball->getPos().x > 900)) cout << endl; //Kiem tra va cham voi cac object if ((_ball->getPos().y < 460) && (_ball->getPos().x>440) && (_ball->getPos().x < 850)) { int _x = int((_ball->getPos().x - 440) / 40); int _y = int((_ball->getPos().y - 140) / 20); bool ktr = true; int i = 0; while (ktr == true && i < 8) { if (listObject[_x + h[i]][_y + k[i]].getKey() != DEAD) { if (listObject[_x + h[i]][_y + k[i]].Collide(_ball) == true) { listObject[_x + h[i]][_y + k[i]].AfterCollide(_ball, _playerBottom); if (listObject[_x + h[i]][_y + k[i]].getKey() == DEAD) { numb_x--; } ktr = false; } } i++; } } //xu li di chuyen cua thanh truot _playerBottom->move(); // di chuyển thanh truot _playerBottom->draw(renderer); // vẽ thanh truot _ball->impactWall2(_top, _bot, _left, _right); // kiểm tra va chạm với wall _ball->move(); //di chuyen bong _ball->draw(renderer); //ve bong if (_ball->impactBottom(_playerBottom)) // kiểm tra va chạm với thanh trượt dưới { //tang van toc 10% if (sqrt(_ball->VX() * _ball->VX() + _ball->VY() * _ball->VY()) < MAX_V) { _playerBottom->SetV(_playerBottom->V() * 105 / 100); _ball->SetVX(_ball->VX() * 110 / 100); _ball->SetVY(_ball->VY() * 110 / 100); } } score = _playerBottom->Score(); if (score != last_score) { last_score = score; score_text = to_string(last_score); temp = CreateSurfaceFromString(score_text.c_str(), font, color[0]); text = SDL_CreateTextureFromSurface(renderer, temp); SDL_FreeSurface(temp); TTF_SizeText(font, score_text.c_str(), &sc_rect.w, &sc_rect.h); sc_desrect.x = 150 - sc_rect.w / 2; sc_desrect.w = sc_rect.w; sc_desrect.h = sc_rect.h; } SDL_RenderCopy(renderer, text, &sc_rect, &sc_desrect); //chen so mang song con lai for (int i = 0; i < life; i++) { SDL_RenderCopy(renderer, your_life, &life_rect[i], &life_desrect[i]); } //Update man hinh SDL_RenderPresent(renderer); if (numb_x == 0) { switch (stoi(file_name)) { case 1: { return Start_new(window, renderer, name, "2", p2.Score()); } case 2: { return Start_new(window, renderer, name, "3", p2.Score()); } case 3: { return Start_new(window, renderer, name, "4", p2.Score()); } default: return sc_score(window, renderer, p2.Score()); } } if (_ball->getPos().y + _ball->R() >= _bot) { if (life > 0) { life--; _ball->reset(); p2.reset(); p2.SetScore(score); } else { Highscore(name, p2.Score()); sc_score(window, renderer, p2.Score()); return Start_new(window, renderer, name, "1", 0); } } } } //Choi game the loai co dien dooi khang 1v1 void Start_classic(SDL_Window*& window, SDL_Renderer*& renderer) { Pong Game(140, 140 + 560, 440, 850, PLAYING); // tạo một vật thể thuộc lớp game pong với chiều rộng == 40 và chiều cao == 30 với trạng thái vào game là INTRO Game.runGame(window, renderer); // bắt đầu chạy game } //Khung save game void Save(SDL_Window*& window, SDL_Renderer*& renderer, string name) { ifstream file; file.open("save\\dat.txt"); string str; bool ktr = true; while (!file.eof()) { getline(file, str); if (str.compare(name) == 0) { ktr = false; break; } } file.close(); if (ktr == true) { ofstream fileout; fileout.open("save\\dat.txt", ios::app); fileout << name << endl; fileout.close(); } } void Highscore(string name, int score) { ifstream file; string str[5]; int data[5]; int vtri = 0; int index = 10; file.open("HighScore.txt"); while (!file.eof()) { file >> str[vtri]; file >> data[vtri]; if (data[vtri] < score && index == 10) { index = vtri; } vtri++; if (vtri == 5) break; } file.close(); if (index < 4) { ofstream fileout; fileout.open("HighScore.txt"); for (int i = 0; i < 5; i++) { if (i!=index) fileout << str[i] << " " << data[i] << endl; else { fileout << name << " " << score << endl; } } fileout.close(); } }
[ "55821523+halatao23@users.noreply.github.com" ]
55821523+halatao23@users.noreply.github.com
d3540c437709195c472917a1dfab521ab6c62f26
687b2858d3ed5ea6e8e3beee60a412f249b1f30e
/cc/paint/paint_canvas.h
c0d8bf3a11ed142c46b56434042ee64ea31d0587
[ "BSD-3-Clause" ]
permissive
JoKaWare/chromium
058baa01702fa3462f166cbd5d15795a08e76fbb
936c16d92cb3caf815cd31fa455576aac2bece75
refs/heads/master
2023-01-16T10:54:14.597984
2017-02-10T20:20:30
2017-02-10T20:20:30
39,988,275
1
0
null
2015-07-31T05:27:21
2015-07-31T05:27:19
null
UTF-8
C++
false
false
856
h
// Copyright 2017 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 CC_PAINT_PAINT_CANVAS_H_ #define CC_PAINT_PAINT_CANVAS_H_ #include "cc/paint/paint_export.h" #include "third_party/skia/include/core/SkCanvas.h" #include "third_party/skia/include/utils/SkNWayCanvas.h" #include "third_party/skia/include/utils/SkNoDrawCanvas.h" namespace cc { using PaintCanvas = SkCanvas; using PaintCanvasNoDraw = SkNoDrawCanvas; using PaintCanvasAutoRestore = SkAutoCanvasRestore; class CC_PAINT_EXPORT PaintCanvasPassThrough : public SkNWayCanvas { public: explicit PaintCanvasPassThrough(SkCanvas* canvas); PaintCanvasPassThrough(int width, int height); ~PaintCanvasPassThrough() override; }; } // namespace cc #endif // CC_PAINT_PAINT_CANVAS_H_
[ "commit-bot@chromium.org" ]
commit-bot@chromium.org
ae0dc174c276703514d6e77ba8a72b880f73fb98
df800a82137383e9c6edcaff5bcdb7ecc4e041c9
/QtBingoClient/qjsontablemodel.cpp
84e81849c06ccac0bc03255d9f1a6c2693b00a7f
[]
no_license
jowin202/bingo
ec70496cf0e44d7f9e1fa34d2746ac144b0d37d3
97b5cabb1287d2893e29b49275e2a89e40efab9f
refs/heads/master
2023-07-15T11:56:18.812325
2021-09-01T12:17:52
2021-09-01T12:17:52
311,040,374
0
0
null
null
null
null
UTF-8
C++
false
false
2,922
cpp
#include "qjsontablemodel.h" #include <QJsonObject> QJsonTableModel::QJsonTableModel( const QJsonTableModel::Header& header, QObject * parent ) : QAbstractTableModel( parent ) , m_header( header ) { } bool QJsonTableModel::setJson(const QJsonDocument &json) { return setJson( json.array() ); } bool QJsonTableModel::setJson( const QJsonArray& array ) { beginResetModel(); m_json = array; endResetModel(); return true; } QVariant QJsonTableModel::headerData(int section, Qt::Orientation orientation, int role) const { if( role != Qt::DisplayRole ) { return QVariant(); } switch( orientation ) { case Qt::Horizontal: return m_header[section]["title"]; case Qt::Vertical: //return section + 1; return QVariant(); default: return QVariant(); } } int QJsonTableModel::rowCount(const QModelIndex &parent ) const { return m_json.size(); } int QJsonTableModel::columnCount(const QModelIndex &parent ) const { return m_header.size(); } QJsonObject QJsonTableModel::getJsonObject( const QModelIndex &index ) const { const QJsonValue& value = m_json[index.row() ]; return value.toObject(); } QVariant QJsonTableModel::data( const QModelIndex &index, int role ) const { switch( role ) { case Qt::DisplayRole: { QJsonObject obj = getJsonObject( index ); const QString& key = m_header[index.column()]["index"]; if( obj.contains( key )) { QJsonValue v = obj[ key ]; if( v.isString() ) { return v.toString(); } else if( v.isDouble() ) { return QString::number( v.toDouble() ); } else if (v.isArray()) { QJsonArray a = v.toArray(); QString num; for (int i = 0; i < a.count(); i++) { num.append(QString::number(a.at(i).toInt())); num.append(" "); } return num; } else { return QVariant(); } } else { return QVariant(); } } case Qt::ToolTipRole: return QVariant(); default: return QVariant(); } } bool QJsonTableModel::setData(const QModelIndex &index, const QVariant &value, int role) { int row = index.row(); int col = index.column(); QList<QVariant> list; for (int i = 0; i < this->columnCount(); i++) { if (i == col) list.append(value); else list.append(this->index(row,i).data()); } emit rowEdit(list); return true; } Qt::ItemFlags QJsonTableModel::flags(const QModelIndex &index) const { return QAbstractItemModel::flags(index);// | Qt::ItemIsEditable; }
[ "johannes.w@gmx.at" ]
johannes.w@gmx.at
753a0846c822b7b93fa19bc009b24ba15531b27b
8018f269727b5d698afe0b9dc5eb1680b2eaf1e4
/Codeforces/304/D.cpp
707a2c3f0127cb569c82012df0f4ad49801aecc6
[ "MIT" ]
permissive
Mindjolt2406/Competitive-Programming
1c68a911669f4abb7ca124f84b2b75355795651a
54e8efafe426585ef0937637da18b7aaf0fef5e5
refs/heads/master
2022-03-20T14:43:37.791926
2022-01-29T11:34:45
2022-01-29T11:34:45
157,658,857
2
0
null
2019-02-10T08:48:25
2018-11-15T05:50:05
C++
UTF-8
C++
false
false
1,545
cpp
#include<bits/stdc++.h> #define mt make_tuple #define mp make_pair #define pu push_back #define INF 1000000001 #define MOD 1000000007 #define ll long long int #define ld long double #define vi vector<int> #define vll vector<long long int> #define sc(n) scanf("%d",&n); #define scll(n) scanf("%lld",&n); #define scld(n) scanf("%Lf",&n); #define scr(s) {char temp[1000000];scanf("%s",temp);s = temp;} using namespace std; // int primeFactors(int n) // { // int count = 0; // while (n%2 == 0) // { // count++; // n = n/2; // } // for (int i = 3; i <= sqrt(n); i = i+2) // { // while (n%i == 0) // { // count++; // n = n/i; // } // } // // if (n > 2) count++; // return count; // } int size = 5000001; bitset<5000010> bs; int*l; void sieve() { bs.set(); bs[0] = bs[1] = false; // cout<<"here"<<endl; l[0] = 0;l[1] = 0; for(int i=2;i<size;i++) { if(bs[i]) { for(ll j = i;j<size;j+=i) { bs[j] = false; int j1 = j; while(j1%i==0) { j1/=i; l[j]++; } } } } } int getSum(int a,int b) { if(a>0) return l[b]-l[a]; return l[b]; } int main() { int t; sc(t); l = (int*)calloc(size+100,sizeof(int)); sieve(); // for(int i=0;i<8;i++) cout<<l[i]<<" ";cout<<endl; for(int i=1;i<size;i++) { l[i]+=l[i-1]; } while(t--) { int a,b; sc(a);sc(b); int c = getSum(min(a,b),max(a,b)); printf("%d\n",c); } return 0; }
[ "rathin7@gmail.com" ]
rathin7@gmail.com
61241a5e81a16cf398106aa02d217a5c0d7eeebf
0a1be59f55b359866370c2815671af22bd96ff51
/dependencies/skse64/src/skse64/skse64/PapyrusActiveMagicEffect.h
cd79bfe9aa21f837175210d9f2d85d6105a04609
[ "MIT", "LicenseRef-scancode-warranty-disclaimer" ]
permissive
joelday/papyrus-debug-server
ba18b18d313a414daefdf0d3472b60a12ca21385
f5c3878cd485ba68aaadf39bb830ca88bf53bfff
refs/heads/master
2023-01-12T14:34:52.919190
2019-12-06T18:41:39
2019-12-06T18:41:39
189,772,905
15
10
MIT
2022-12-27T11:31:04
2019-06-01T20:02:31
C++
UTF-8
C++
false
false
1,461
h
#pragma once #include "skse64/GameTypes.h" class ActiveEffect; class VMClassRegistry; class TESForm; namespace papyrusActiveMagicEffect { void RegisterFuncs(VMClassRegistry* registry); float GetTimeElapsed(ActiveEffect* effect); float GetDuration(ActiveEffect* effect); float GetMagnitude(ActiveEffect* effect); void RegisterForKey(ActiveEffect * effect, UInt32 key); void UnregisterForKey(ActiveEffect * effect, UInt32 key); void UnregisterForAllKeys(ActiveEffect * effect); void RegisterForControl(ActiveEffect * effect, BSFixedString control); void UnregisterForControl(ActiveEffect * effect, BSFixedString control); void UnregisterForAllControls(ActiveEffect * effect); void RegisterForMenu(ActiveEffect * effect, BSFixedString menuName); void UnregisterForMenu(ActiveEffect * effect, BSFixedString menuName); void UnregisterForAllMenus(ActiveEffect * effect); void RegisterForModEvent(ActiveEffect * effect, BSFixedString eventName, BSFixedString callbackName); void UnregisterForModEvent(ActiveEffect * effect, BSFixedString eventName); void UnregisterForAllModEvents(ActiveEffect * effect); void SendModEvent(ActiveEffect * thisForm, BSFixedString eventName, BSFixedString strArg, float numArg); void RegisterForCameraState(ActiveEffect * thisForm); void UnregisterForCameraState(ActiveEffect * thisForm); void RegisterForCrosshairRef(ActiveEffect * thisForm); void UnregisterForCrosshairRef(ActiveEffect * thisForm); }
[ "joelday@gmail.com" ]
joelday@gmail.com
69c269a69b17a18471bf52785ecb8fc963cf81d6
533039f833fc90eacad10ecba6fb93635b781564
/Source/OnlineGame/Widgets/LobbyCharacterSelectWidget.h
a18d409dc204ef2fbea1656a35cc8bafdfffe7e8
[]
no_license
Lordmatics/OnlineGame
5c6b4f501cefcba8fab6e0042df5daf2bb2a1130
0cb7511c32d1fcf5a43a06c3ebe0f627627e10e5
refs/heads/master
2021-01-11T07:32:25.100665
2017-04-27T21:54:26
2017-04-27T21:54:26
80,136,316
3
0
null
null
null
null
UTF-8
C++
false
false
755
h
// Fill out your copyright notice in the Description page of Project Settings. #pragma once #include "Blueprint/UserWidget.h" #include "LobbyCharacterSelectWidget.generated.h" /** * */ UCLASS() class ONLINEGAME_API ULobbyCharacterSelectWidget : public UUserWidget { GENERATED_BODY() private: public: UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "C++ Variables", Replicated) int CharSelectionID; UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = "C++ Variables") TArray<UTexture2D*> CharacterImagesArray; protected: //virtual void NativeConstruct() override; // //TSharedRef<SWidget> RebuildWidget() override; virtual void GetLifetimeReplicatedProps(TArray<FLifetimeProperty>& OutLifetimeProps) const override; };
[ "niallmaple@yahoo.co.uk" ]
niallmaple@yahoo.co.uk
82cdf1862b6e6bdd344e87975009f861940fa49b
400ff661684148cbb6aa99f4ebbc82bc551356d9
/window/rootkit/ProcessManager/ProcessManager/ProcessManagerDlg.h
ca47ea6b9b2cda254bc19cf02de5343bf1fcd5f2
[]
no_license
csw201710/demo
32d71f333dc7f78fab0e2ab53f6a7e051847eea3
386a56961e8099b632115015cbeec599765ead01
refs/heads/master
2021-08-26T08:03:49.055496
2021-08-18T11:22:45
2021-08-18T11:22:45
171,476,054
7
11
null
null
null
null
GB18030
C++
false
false
1,091
h
// ProcessManagerDlg.h : 头文件 // #pragma once #include "afxcmn.h" #include "ProcessManager.h" #include "Process.h" #include "CEnumProcess.h" #include "Monitor.h" #define UM_ICONNOTIFY WM_USER+1 // CProcessManagerDlg 对话框 class CProcessManagerDlg : public CDialogEx { // 构造 public: CProcessManagerDlg(CWnd* pParent = NULL); // 标准构造函数 // 对话框数据 enum { IDD = IDD_PROCESSMANAGER_DIALOG }; protected: virtual void DoDataExchange(CDataExchange* pDX); // DDX/DDV 支持 NOTIFYICONDATA m_nid; VOID CProcessManagerDlg::ContructNotifyConData(); // 实现 protected: HICON m_hIcon; // 生成的消息映射函数 virtual BOOL OnInitDialog(); afx_msg void OnSysCommand(UINT nID, LPARAM lParam); afx_msg void OnPaint(); afx_msg HCURSOR OnQueryDragIcon(); afx_msg void OnIconNotify(WPARAM wParam,LPARAM lParam); DECLARE_MESSAGE_MAP() public: CTabCtrl m_TabMain; CMonitor Monitor; CEnumProcess EnumProcess; afx_msg void OnSelchangeTabMain(NMHDR *pNMHDR, LRESULT *pResult); virtual void OnCancel(); };
[ "work@qq.com" ]
work@qq.com
68e00dbd59086190862b31e543b78fc1133555c1
c3959671a067b0d3ea77d7b82f60ba7637b3d73e
/arduino/BASICOS/GARABULLO18_matematicas/menu.ino
8e4a0ae283c21b2237eae1a9fc0f0feadfe29d5d
[]
no_license
DiegoLale/garabullo2018
ad00378642ad71dff8677a21a669e7cf322079bd
018b9c194da9e3329a60b7b8d07836c8449b5497
refs/heads/master
2021-04-26T22:35:52.848104
2020-11-06T16:31:08
2020-11-06T16:31:08
124,115,659
0
1
null
2018-03-06T17:43:30
2018-03-06T17:43:30
null
UTF-8
C++
false
false
9,396
ino
String menu_principal[] = {"ROBOT", "JUEGOS", "RECORDS", "AJUSTES"}; void menu() { pantalla.fillScreen(ST7735_BLACK); pantalla.setTextSize(2); pantalla.setTextColor(BLANCO); pantalla.setCursor(0, 0); pantalla.write(168); pantalla.print("QUE VAMOS A HACER?"); bateria(); pantalla.setTextSize(2); pantalla.setTextColor(AMARILLO); pantalla.setCursor(0, 60); pantalla.print(menu_principal[0]); pantalla.setTextColor(CYAN); pantalla.setCursor(56, 75); pantalla.print(menu_principal[1]); pantalla.setTextColor(VERDE); pantalla.setCursor(0, 90); pantalla.print(menu_principal[2]); pantalla.setTextColor(ROJO); pantalla.setCursor(44, 105); pantalla.print(menu_principal[3]); apaga_leds(0); led.setPixelColor(3, led.Color(brillo / 2, brillo, 0)); led.setPixelColor(5, led.Color(0, brillo, brillo)); led.setPixelColor(6, led.Color(0, brillo, 0)); led.setPixelColor(8, led.Color(brillo, 0, 0)); led.show(); delay(1000); boolean salida = 0; while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 3: salida = 1; cuadros(); break; case 5: salida = 1; cargando(8); juegos(); break; case 6: salida = 1; records(); break; case 8: salida = 1; cargando(3); ajustes(); break; } } } void ajustes() { { apaga_leds(0); leds_ajustes(); pantalla.fillScreen(ST7735_BLACK); pantalla.setTextSize(3); pantalla.setTextColor(ROJO); pantalla.setCursor(0, 0); pantalla.print("-"); pantalla.setTextColor(CYAN); pantalla.setCursor(30, 0); pantalla.print("LEDS"); pantalla.setCursor(110, 0); pantalla.setTextColor(VERDE); pantalla.print("+"); pantalla.setTextSize(2); pantalla.setCursor(0, 50); pantalla.setTextColor(AZUL); pantalla.print("SONIDO"); pantalla.setCursor(65, 65); pantalla.setTextColor(ROSA); pantalla.print("PASOS"); pantalla.setCursor(65, 110); pantalla.setTextColor(NEGRO, ROJO); pantalla.print("SALIR"); if (!sonido_activado) { pantalla.drawLine(0, 50, 70, 63, ROJO); pantalla.drawLine(0, 63, 70, 50, ROJO); } boolean salida = 0; while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 0: if (brillo > 15) { brillo -= 10; } else { sonido_fail(); } leds_ajustes(); break; case 2: if (brillo < 240) { brillo += 10; } else { sonido_fail(); } leds_ajustes(); break; case 3: sonido_activado = !sonido_activado; pantalla.setCursor(0, 50); pantalla.setTextColor(AZUL); pantalla.fillRect(0, 49, 70, 15, NEGRO); pantalla.setTextSize(2); pantalla.print("SONIDO"); if (!sonido_activado) { pantalla.drawLine(0, 50, 70, 63, ROJO); pantalla.drawLine(0, 63, 70, 50, ROJO); } else pita();//viene de no hacer el pitido porque acaba de cambiar break; case 5: menu_pasos(); salida = 1; break; case 8: salida = 1; break; } } } } void leds_ajustes() { led.setPixelColor(0, led.Color(brillo, 0, 0)); led.setPixelColor(2, led.Color(0, brillo, 0)); led.setPixelColor(3, led.Color(0, 0, brillo)); led.setPixelColor(5, led.Color(brillo, brillo / 2, brillo / 4)); led.setPixelColor(8, led.Color(brillo, 0, 0)); led.show(); } void juegos() { apaga_leds(0); led.setPixelColor(0, led.Color(0, brillo, 0)); led.setPixelColor(2, led.Color(0, 0, brillo)); led.setPixelColor(3, led.Color(brillo, brillo, 0)); led.setPixelColor(5, led.Color(5, brillo, 0)); led.setPixelColor(8, led.Color(brillo / 2, 0, 0)); led.show(); pantalla.fillScreen(ST7735_BLACK); pantalla.setTextSize(2); pantalla.setTextColor(VERDE); pantalla.setCursor(0, 9); pantalla.print("RESTA"); pantalla.setTextColor(AZUL); pantalla.setCursor(80, 9); pantalla.print("SUMA"); pantalla.setTextColor(AMARILLO); pantalla.setCursor(5, 50); pantalla.print(">=<"); pantalla.setTextColor(VERDE); pantalla.setCursor(75, 43); pantalla.print("PRO-"); pantalla.setCursor(68, 60); pantalla.print("DUCTO"); pantalla.setTextColor(ROJO); pantalla.setCursor(65, 105); pantalla.print("SALIR"); boolean salida = 0; while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 0: apaga_leds(1); resta(); salida = 1; break; case 2: apaga_leds(1); sumas(); salida = 1; break; case 3: apaga_leds(1); compara(); salida = 1; break; case 5: apaga_leds(1); juego_producto(); salida = 1; break; case 8: salida = 1; break; } } } void records() { apaga_leds(1); pantalla.fillScreen(ST7735_BLACK); pantalla.setTextSize(2); pantalla.setTextColor(VERDE); pantalla.setCursor(0, 0); pantalla.print("SUMAS = "); pantalla.print(EEPROM.read(13)); pantalla.setCursor(0, 20); pantalla.print("RESTA = "); pantalla.print(EEPROM.read(16)); pantalla.setCursor(0, 40); pantalla.print("PROD. = "); pantalla.print(EEPROM.read(15)); pantalla.setCursor(0, 60); pantalla.print("COMP. = "); pantalla.print(EEPROM.read(17)); boolean salida = 0; apaga_leds(0); led.setPixelColor(8, led.Color(brillo, 0, 0)); led.show(); while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 8: salida = 1; break; } } } void menu_pasos() { apaga_leds(0); led.setPixelColor(0, led.Color(brillo, 0, 0)); led.setPixelColor(2, led.Color(0, brillo, 0)); led.setPixelColor(3, led.Color(brillo, 0, 0)); led.setPixelColor(5, led.Color(0, brillo, 0)); led.setPixelColor(6, led.Color(0, 0, brillo)); led.setPixelColor(8, led.Color(brillo, 0, 0)); led.show(); pantalla.fillScreen(ST7735_BLACK); pantalla.setTextSize(2); pantalla.setTextColor(ROJO); pantalla.setCursor(0, 0); pantalla.print("-"); pantalla.setCursor(0, 50); pantalla.print("-"); pantalla.setTextColor(CYAN); pantalla.setCursor(30, 0); pantalla.print("RECTO"); pantalla.setCursor(35, 50); pantalla.print("GIRO"); pantalla.setCursor(110, 0); pantalla.setTextColor(VERDE); pantalla.print("+"); pantalla.setCursor(110, 50); pantalla.print("+"); pantalla.setTextColor(AZUL); pantalla.setCursor(0, 110); pantalla.print("TEST"); pantalla.setCursor(65, 110); pantalla.setTextColor(ROJO); pantalla.print("SALIR"); muestra_pasos(); boolean salida = 0; while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 0: if (pasos_recto > 10) { pasos_recto -= 1; muestra_pasos(); } else { sonido_fail(); } break; case 2: if (pasos_recto < 220) { pasos_recto += 1; muestra_pasos(); } else { sonido_fail(); } break; case 3: if (pasos_giro > 10) { pasos_giro -= 1; muestra_pasos(); } else { sonido_fail(); } break; case 5: if (pasos_giro < 220) { pasos_giro += 1; muestra_pasos(); } else { sonido_fail(); } break; case 6: delay(1000); for (int a = 0; a < 2; a++) { adelante(); for (int i = 0; i < 4; i++) { derecha(); } } sonido_acierto(); break; case 8: guarda_pasos(); salida = 1; } } } void muestra_pasos() { pantalla.fillRect(45, 15, 30, 18, NEGRO); pantalla.fillRect(45, 65, 30, 18, NEGRO); pantalla.setTextColor(AMARILLO); pantalla.setCursor(45, 15); pantalla.print(pasos_recto); pantalla.setCursor(45, 65); pantalla.print(pasos_giro); } void guarda_pasos() { apaga_leds(0); led.setPixelColor(3, led.Color(0, brillo, 0)); led.setPixelColor(5, led.Color(brillo, brillo / 2, brillo / 3)); led.show(); pantalla.fillScreen(NEGRO); pantalla.setTextColor(BLANCO); pantalla.setTextSize(2); pantalla.setCursor(8, 0); pantalla.print("-GUARDAR-"); pantalla.setTextColor(VERDE); pantalla.setTextSize(4); pantalla.setCursor(0, 60); pantalla.print("NO"); pantalla.setTextColor(NARANJA); pantalla.setCursor(80, 60); pantalla.print("SI"); boolean salida = 0; while (!salida) { test_alive(); byte boton = boton_pulsado(); switch (boton) { case 3: salida = 1; break; case 5: if (pasos_recto != EEPROM.read(1)) { EEPROM.write(1, pasos_recto); } if (pasos_giro != EEPROM.read(2)) { EEPROM.write(2, pasos_giro); } salida = 1; break; } } }
[ "diegolale@gmail.com" ]
diegolale@gmail.com
9947c960f08ec26069438802cc11ff0d88cecae2
6266cdd85b11e695e6095774c34840a539c848ba
/Digicode/Voyant.h
6ed9064b352bba1bd9a1f2dd8b04710b07e1e508
[]
no_license
Thomas-Mandon/TP4
ffb16c942f4a6d3f29defe1692c6e0e9cfcb27f1
ae970e6773ee3d58408d9cdddb01f965558076da
refs/heads/master
2020-03-09T11:31:54.835878
2018-04-09T15:30:09
2018-04-09T15:30:09
128,763,814
0
0
null
2018-04-09T11:50:30
2018-04-09T11:50:29
null
UTF-8
C++
false
false
374
h
#ifndef VOYANT_H #define VOYANT_H #include <string> namespace nsDigicode { enum Couleur {rouge = 0, vert = 1}; enum Etat {allume = 1, eteint = 0}; class Voyant { Couleur myColor; Etat myState; public: Voyant(Couleur color = rouge, Etat state = eteint); std::string getStatut(void) const; void allumer(); void eteindre(); }; } #endif // VOYANT_H
[ "thomas.mandon@etu.univ-amu.fr" ]
thomas.mandon@etu.univ-amu.fr
d91728768d2ed7f634cae51df79e0e270f01dfbb
69a3d0f691ba87a21fd1fbf068a927242636da76
/gameboy_ui/game_window.cpp
6d185db69f99346e4eabcce6e67aeb2009bf92b1
[ "BSD-3-Clause" ]
permissive
kaini/gameboy
6c92364ce8484335528d7ef0b9771fc6f9ab846c
4e13842c2c354ef41d8bb12f81c4fb8dc78e9343
refs/heads/master
2016-09-06T12:48:48.645249
2015-02-19T17:57:03
2015-02-19T17:57:03
31,023,054
0
0
null
null
null
null
UTF-8
C++
false
false
2,072
cpp
#include "game_window.hpp" #include <QPainter> #include <QTimer> #include <QMessageBox> #include <QKeyEvent> #include <z80opcodes.hpp> #include <debug.hpp> game_window::game_window(gb::rom rom, std::shared_ptr<const key_map> map, QWidget *parent) : _keys(std::move(map)), QMainWindow(parent) { _ui.setupUi(this); resize(gb::video::width * 2, gb::video::height * 2); setFocusPolicy(Qt::StrongFocus); auto _refresh_timer = new QTimer(this); _refresh_timer->setInterval(1000 / 60 / 2); // TODO better method for this? _refresh_timer->setSingleShot(false); connect(_refresh_timer, SIGNAL(timeout()), this, SLOT(update())); _refresh_timer->start(); _thread.start(std::move(rom)); } game_window::~game_window() { } void game_window::paintEvent(QPaintEvent *) { auto image_future = _thread.post_get_image(); QPainter painter(this); painter.setBrush(Qt::black); painter.setPen(Qt::black); painter.drawRect(rect()); const auto image = image_future.get(); const QImage q_image(&image[0][0][0], gb::video::width, gb::video::height, QImage::Format_RGB888); const double aspect = static_cast<double>(gb::video::height) / gb::video::width; const double real_aspect = static_cast<double>(height()) / width(); QRect i_rect; if (real_aspect < aspect) { i_rect.setHeight(height()); i_rect.setWidth(static_cast<int>(std::round(1 / aspect * i_rect.height()))); i_rect.moveLeft((width() - i_rect.width()) / 2); } else { i_rect.setWidth(width()); i_rect.setHeight(static_cast<int>(std::round(aspect * i_rect.width()))); i_rect.moveTop((height() - i_rect.height()) / 2); } painter.drawImage(i_rect, q_image); } void game_window::keyPressEvent(QKeyEvent *event) { auto iter = _keys->find(event->key()); if (iter == _keys->end()) { QMainWindow::keyPressEvent(event); } else { _thread.post_key_down(iter->second); } } void game_window::keyReleaseEvent(QKeyEvent *event) { auto iter = _keys->find(event->key()); if (iter == _keys->end()) { QMainWindow::keyPressEvent(event); } else { _thread.post_key_up(iter->second); } }
[ "kaini1123@gmail.com" ]
kaini1123@gmail.com
19f78d7d7385064cbccd1d66ceedf7a1ca81d824
af2eb751171dc315d34bd1e76030432ba01c4010
/NexStarAdapter.ino
ae46a7e1aca5e1d7f1770731ff41a62531852fd4
[ "MIT" ]
permissive
genehunter29009/NexStarAdapter
53f6d0b21bfb4d73cdd05306d064f963b66c9edc
58f1050fc3741f83f22a73d93a94f96aa4fc21f5
refs/heads/master
2021-08-18T18:39:18.940235
2017-11-23T14:39:26
2017-11-23T14:39:26
111,815,841
0
0
null
2017-11-23T13:58:07
2017-11-23T13:58:07
null
UTF-8
C++
false
false
7,943
ino
/****************************************************************** Author: Juan Menendez Blanco <juanmb@gmail.com> This code is part of the NexStarAdapter project: https://github.com/juanmb/NexStarAdapter ********************************************************************/ #include <EEPROM.h> #include <SoftwareSerial.h> #include "serial_command.h" #include "nexstar_aux.h" #define VERSION_MAJOR 4 #define VERSION_MINOR 2 #define MOUNT_MODEL 10 // GT #define CONTROLLER_VARIANT 0x11 // NexStar #define BAUDRATE 9600 #define AUX_SELECT 5 #define AUX_RX 6 #define AUX_TX 7 #define RA_POT_PIN A6 #define DEC_POT_PIN A7 // milliseconds to position factor #define T_FACTOR (0xffffffff/8.616e7) #define reverse(a) (0xffffffff - (a)) SerialCommand sCmd; NexStarAux scope(AUX_RX, AUX_TX, AUX_SELECT); uint8_t tracking_mode = 0; uint32_t t_sync = 0; // Obtain the difference in RA from the motor position due to Earth rotation static uint32_t getRADiff() { return T_FACTOR*(millis() - t_sync); } void cmdGetEqCoords(char *cmd) { uint32_t ra_pos, dec_pos; scope.getPosition(DEV_RA, &ra_pos); scope.getPosition(DEV_DEC, &dec_pos); ra_pos = reverse(ra_pos) + getRADiff(); ra_pos = (ra_pos >> 16) & 0xffff; dec_pos = (dec_pos >> 16) & 0xffff; char tmp[11]; sprintf(tmp, "%04lX,%04lX#", ra_pos, dec_pos); Serial.write(tmp); } void cmdGetEqPreciseCoords(char *cmd) { uint32_t ra_pos, dec_pos; scope.getPosition(DEV_RA, &ra_pos); scope.getPosition(DEV_DEC, &dec_pos); ra_pos = reverse(ra_pos) + getRADiff(); char tmp[19]; sprintf(tmp, "%08lX,%08lX#", ra_pos, dec_pos); Serial.write(tmp); } void cmdGetAzCoords(char *cmd) { //TODO cmdGetEqCoords(cmd); } void cmdGetAzPreciseCoords(char *cmd) { //TODO cmdGetEqPreciseCoords(cmd); } // Return true if a given position is close to the current axis position // (approx. 11 degrees) bool isClose(uint32_t pos, uint8_t axis) { uint32_t curr, diff; scope.getPosition(axis, &curr); diff = (pos > curr) ? (pos - curr) : (curr - pos); return diff < 0x08000000; } void cmdGotoEqCoords(char *cmd) { uint32_t ra_pos, dec_pos; sscanf(cmd, "R%4lx,%4lx", &ra_pos, &dec_pos); ra_pos = reverse(ra_pos << 16) + getRADiff(); dec_pos <<= 16; scope.gotoPosition(DEV_RA, isClose(ra_pos, DEV_RA), ra_pos); scope.gotoPosition(DEV_DEC, isClose(dec_pos, DEV_DEC), dec_pos); Serial.write('#'); } void cmdGotoEqPreciseCoords(char *cmd) { uint32_t ra_pos, dec_pos; sscanf(cmd, "r%8lx,%8lx", &ra_pos, &dec_pos); ra_pos = reverse(ra_pos) + getRADiff(); scope.gotoPosition(DEV_RA, isClose(ra_pos, DEV_RA), ra_pos); scope.gotoPosition(DEV_DEC, isClose(dec_pos, DEV_DEC), dec_pos); Serial.write('#'); } void cmdGotoAzCoords(char *cmd) { //TODO cmdGotoEqCoords(cmd); } void cmdGotoAzPreciseCoords(char *cmd) { //TODO cmdGotoEqPreciseCoords(cmd); } void cmdGotoInProgress(char *cmd) { bool ra_done, dec_done; scope.slewDone(DEV_RA, &ra_done); scope.slewDone(DEV_DEC, &dec_done); Serial.write((ra_done && dec_done) ? '0' : '1'); Serial.write('#'); } void cmdCancelGoto(char *cmd) { scope.move(DEV_RA, 0, 0); scope.move(DEV_DEC, 0, 0); Serial.write('#'); } void cmdSyncEqCoords(char *cmd) { uint32_t ra_pos, dec_pos; sscanf(cmd, "S%4lx,%4lx", &ra_pos, &dec_pos); scope.setPosition(DEV_RA, reverse(ra_pos << 16)); scope.setPosition(DEV_DEC, dec_pos << 16); Serial.write('#'); t_sync = millis(); } void cmdSyncEqPreciseCoords(char *cmd) { uint32_t ra_pos, dec_pos; sscanf(cmd, "s%8lx,%8lx", &ra_pos, &dec_pos); scope.setPosition(DEV_RA, reverse(ra_pos)); scope.setPosition(DEV_DEC, dec_pos); Serial.write('#'); t_sync = millis(); } void cmdGetTrackingMode(char *cmd) { Serial.write(tracking_mode); Serial.write('#'); } void cmdSetTrackingMode(char *cmd) { tracking_mode = cmd[1]; scope.setGuiderate(DEV_RA, GUIDERATE_POS, true, 0); // stop RA motor scope.setGuiderate(DEV_DEC, GUIDERATE_POS, true, 0); // stop DEC motor switch(tracking_mode) { case TRACKING_EQ_NORTH: scope.setGuiderate(DEV_RA, GUIDERATE_POS, 0, GUIDERATE_SIDEREAL); break; case TRACKING_EQ_SOUTH: scope.setGuiderate(DEV_RA, GUIDERATE_NEG, 0, GUIDERATE_SIDEREAL); break; } Serial.write('#'); } void cmdGetLocation(char *cmd) { // Read the location from EEPROM for (int i = 0; i < 8; i++) { Serial.write(EEPROM.read(i)); } Serial.write('#'); } void cmdSetLocation(char *cmd) { // Store the location in EEPROM for (int i = 0; i < 8; i++) { EEPROM.write(i, cmd[i + 1]); } Serial.write('#'); } void cmdGetTime(char *cmd) { //TODO Serial.write(17); // hours Serial.write(30); // minutes Serial.write(10); // seconds Serial.write(4); // month Serial.write(1); // day Serial.write(15); // year Serial.write(3); // offset from GMT Serial.write(0); // Daylight saving Serial.write("#"); } void cmdSetTime(char *cmd) { //TODO Serial.write('#'); } void cmdPassThrough(char *cmd) { NexStarMessage resp; uint8_t size = cmd[1] - 1; // pass the command to the mount int ret = scope.sendMessage(cmd[2], cmd[3], size, &cmd[4], &resp); if (ret != 0) { // TODO: return a response with size = normal_return_size + 1 Serial.print(ret); Serial.write('#'); return; } for (int i = 0; i < resp.header.length - 3; i++) { Serial.write(resp.payload[i]); } Serial.write('#'); } void cmdGetVersion(char *cmd) { Serial.write(VERSION_MAJOR); Serial.write(VERSION_MINOR); Serial.write('#'); } void cmdGetVariant(char *cmd) { Serial.write(CONTROLLER_VARIANT); Serial.write('#'); } void cmdGetModel(char *cmd) { Serial.write(MOUNT_MODEL); Serial.write('#'); } void cmdEcho(char *cmd) { Serial.write(cmd[1]); Serial.write('#'); } // Read the absolute position of the two axes using two potentiometers. // The returned position is the raw 10-bits value reading from the ADC. void cmdGetAbsPosition(char *cmd) { int axis1_pos = analogRead(RA_POT_PIN); int axis2_pos = analogRead(DEC_POT_PIN); char tmp[11]; sprintf(tmp, "%04X,%04X#", axis1_pos, axis2_pos); Serial.write(tmp); } void setup() { // Map serial commands to functions sCmd.addCommand('E', 1, cmdGetEqCoords); sCmd.addCommand('e', 1, cmdGetEqPreciseCoords); sCmd.addCommand('Z', 1, cmdGetAzCoords); sCmd.addCommand('z', 1, cmdGetAzPreciseCoords); sCmd.addCommand('R', 10, cmdGotoEqCoords); sCmd.addCommand('r', 18, cmdGotoEqPreciseCoords); sCmd.addCommand('B', 10, cmdGotoAzCoords); sCmd.addCommand('b', 18, cmdGotoAzPreciseCoords); sCmd.addCommand('L', 1, cmdGotoInProgress); sCmd.addCommand('M', 1, cmdCancelGoto); sCmd.addCommand('S', 10, cmdSyncEqCoords); sCmd.addCommand('s', 18, cmdSyncEqPreciseCoords); sCmd.addCommand('T', 2, cmdSetTrackingMode); sCmd.addCommand('t', 1, cmdGetTrackingMode); sCmd.addCommand('W', 9, cmdSetLocation); sCmd.addCommand('w', 1, cmdGetLocation); sCmd.addCommand('H', 9, cmdSetTime); sCmd.addCommand('h', 1, cmdGetTime); sCmd.addCommand('P', 8, cmdPassThrough); sCmd.addCommand('V', 1, cmdGetVersion); sCmd.addCommand('v', 1, cmdGetVariant); sCmd.addCommand('m', 1, cmdGetModel); sCmd.addCommand('K', 2, cmdEcho); // custom command sCmd.addCommand('U', 1, cmdGetAbsPosition); //sCmd.addCommand('J', 1, cmdAlignmentComplete); //sCmd.addCommand('x', 1, cmdHibernate); //sCmd.addCommand('y', 1, cmdWakeup); pinMode(AUX_SELECT, OUTPUT); Serial.begin(BAUDRATE); scope.begin(); } void loop() { sCmd.readSerial(); }
[ "juanmb@gmail.com" ]
juanmb@gmail.com
96948360e4c72859ebd7a420b65a50ca9a198d70
1cecf501be39958d56e1667f8cab940ec2783846
/traffic_light_recognition(2017, deprecated)/inc/tl_proposal.hpp
eb5eb5ccba4ed17c22b46af8f7c2e3299f0d9102
[]
no_license
hua1858/traffic_light_recognition
a23175e91a470ddd50fd5b62261bd8f1e0cb75a9
e68e09508e07ff5426bcad64e8da87c828981b0c
refs/heads/master
2021-09-18T18:22:15.113214
2018-07-18T08:03:59
2018-07-18T08:03:59
null
0
0
null
null
null
null
UTF-8
C++
false
false
665
hpp
//#ifndef TLR_TL_PROPOSAL_HPP_ //#define TLR_TL_PROPOSAL_HPP_ // //#include "region_proposal.hpp" // //#include <opencv2/core.hpp> // //#include <memory> // //namespace bgm //{ // //class TLProposal //{ // public: // TLProposal(RegionProposal* rpn, // const std::vector<cv::Rect>& sub_wins); // void Process(const cv::Mat& img, float threshold = 0); // void GetProposal(float scale, std::vector<cv::Mat>* proposal); // // void set_sub_windows(const std::vector<cv::Rect>& sub_wins); // // private: // std::vector<cv::Rect> sub_windows_; // std::unique_ptr<RegionProposal> rpn_; //}; //} // namespace bgm // //#endif // !TLR_TL_PROPOSAL_HPP_ //
[ "drdrpyan@gmail.com" ]
drdrpyan@gmail.com
483d37bae5fa16ced0f9031ef8590254531a30ce
e05ee73f59fa33c462743b30cbc5d35263383e89
/src/dlarfb_gpu_gemm.cpp
940f2b616f0e1070a08c163026979d5aaa313958
[]
no_license
bhrnjica/magma
33c9e8a89f9bc2352f70867a48ec2dab7f94a984
88c8ca1a668055859a1cb9a31a204b702b688df5
refs/heads/master
2021-10-09T18:49:50.396412
2019-01-02T13:51:33
2019-01-02T13:51:33
null
0
0
null
null
null
null
UTF-8
C++
false
false
9,341
cpp
/* -- MAGMA (version 2.4.0) -- Univ. of Tennessee, Knoxville Univ. of California, Berkeley Univ. of Colorado, Denver @date June 2018 @author Mark Gates @author Azzam Haidar @generated from src/zlarfb_gpu_gemm.cpp, normal z -> d, Mon Jun 25 18:24:04 2018 */ #include "magma_internal.h" /***************************************************************************//** Purpose ------- DLARFB applies a real block reflector H or its transpose H^H to a DOUBLE PRECISION m by n matrix C, from the left. __Note that this function assumes__ that the upper part of dV is 0 because it is referenced. Same for upper/lower part of dT. Arguments --------- @param[in] side magma_side_t - = MagmaLeft: apply H or H^H from the Left - = MagmaRight: apply H or H^H from the Right @param[in] trans magma_trans_t - = MagmaNoTrans: apply H (No transpose) - = MagmaTrans: apply H^H (Conjugate transpose) @param[in] direct magma_direct_t Indicates how H is formed from a product of elementary reflectors - = MagmaForward: H = H(1) H(2) . . . H(k) (Forward) - = MagmaBackward: H = H(k) . . . H(2) H(1) (Backward) @param[in] storev magma_storev_t Indicates how the vectors which define the elementary reflectors are stored: - = MagmaColumnwise: Columnwise - = MagmaRowwise: Rowwise @param[in] m INTEGER The number of rows of the matrix C. @param[in] n INTEGER The number of columns of the matrix C. @param[in] k INTEGER The order of the matrix T (= the number of elementary reflectors whose product defines the block reflector). @param[in] dV DOUBLE PRECISION array on the GPU, dimension (LDDV,K) if STOREV = MagmaColumnwise (LDDV,M) if STOREV = MagmaRowwise and SIDE = MagmaLeft (LDDV,N) if STOREV = MagmaRowwise and SIDE = MagmaRight The matrix V. See further details. @param[in] lddv INTEGER The leading dimension of the array V. If STOREV = MagmaColumnwise and SIDE = MagmaLeft, LDDV >= max(1,M); if STOREV = MagmaColumnwise and SIDE = MagmaRight, LDDV >= max(1,N); if STOREV = MagmaRowwise, LDDV >= K. @param[in] dT DOUBLE PRECISION array on the GPU, dimension (LDDT,K) The triangular k by k matrix T in the representation of the block reflector. @param[in] lddt INTEGER The leading dimension of the array T. LDDT >= K. @param[in,out] dC DOUBLE PRECISION array on the GPU, dimension (LDDC,N) On entry, the m by n matrix C. On exit, C is overwritten by H*C, or H^H*C, or C*H, or C*H^H. @param[in] lddc INTEGER The leading dimension of the array C. LDDC >= max(1,M). @param dwork (workspace) DOUBLE PRECISION array, dimension (LDWORK,K) @param[in] ldwork INTEGER The leading dimension of the array WORK. If SIDE = MagmaLeft, LDWORK >= max(1,N); if SIDE = MagmaRight, LDWORK >= max(1,M); @param dworkvt (workspace) DOUBLE PRECISION array, dimension (LDWORKT,K) @param[in] ldworkvt INTEGER The leading dimension of the array WORKVT. LDWORKVT >= max(1,min(M,N)); @param[in] queue magma_queue_t Queue to execute in. Further Details --------------- The shape of the matrix V and the storage of the vectors which define the H(i) is best illustrated by the following example with n = 5 and k = 3. All elements including 0's and 1's are stored, unlike LAPACK. DIRECT = MagmaForward and DIRECT = MagmaForward and STOREV = MagmaColumnwise: STOREV = MagmaRowwise: V = ( 1 0 0 ) V = ( 1 v1 v1 v1 v1 ) ( v1 1 0 ) ( 0 1 v2 v2 v2 ) ( v1 v2 1 ) ( 0 0 1 v3 v3 ) ( v1 v2 v3 ) ( v1 v2 v3 ) DIRECT = MagmaBackward and DIRECT = MagmaBackward and STOREV = MagmaColumnwise: STOREV = MagmaRowwise: V = ( v1 v2 v3 ) V = ( v1 v1 1 0 0 ) ( v1 v2 v3 ) ( v2 v2 v2 1 0 ) ( 1 v2 v3 ) ( v3 v3 v3 v3 1 ) ( 0 1 v3 ) ( 0 0 1 ) @ingroup magma_larfb *******************************************************************************/ extern "C" magma_int_t magma_dlarfb_gpu_gemm( magma_side_t side, magma_trans_t trans, magma_direct_t direct, magma_storev_t storev, magma_int_t m, magma_int_t n, magma_int_t k, magmaDouble_const_ptr dV, magma_int_t lddv, magmaDouble_const_ptr dT, magma_int_t lddt, magmaDouble_ptr dC, magma_int_t lddc, magmaDouble_ptr dwork, magma_int_t ldwork, magmaDouble_ptr dworkvt, magma_int_t ldworkvt, magma_queue_t queue ) { /* Constants */ const double c_zero = MAGMA_D_ZERO; const double c_one = MAGMA_D_ONE; const double c_neg_one = MAGMA_D_NEG_ONE; magma_int_t info = 0; /* Function Body */ if (m <= 0 || n <= 0) { return info; } /* Local variables */ magma_int_t ldwvt = (m > n ? k : m); magma_int_t ldw; if ( side == MagmaLeft ) { ldw = k; } else { ldw = m; } // whether V is stored transposed or not magma_trans_t notransV, transV; if (storev == MagmaColumnwise) { notransV = MagmaNoTrans; transV = MagmaTrans; } else { notransV = MagmaTrans; transV = MagmaNoTrans; } if ( side == MagmaLeft ) { // Form H C or H^H C // Comments assume H C. // When forming H^H C, T gets transposed via trans. // W = V^H C magma_dgemm( transV, MagmaNoTrans, k, n, m, c_one, dV, lddv, dC, lddc, c_zero, dwork, ldw, queue ); if (m <= n) { // W2 = V T magma_dgemm( notransV, trans, m, k, k, c_one, dV, lddv, dT, lddt, c_zero, dworkvt, ldwvt, queue ); // C = C - W2 W = C - V T V^H C = (I - V T V^H) C = H C magma_dgemm( MagmaNoTrans, MagmaNoTrans, m, n, k, c_neg_one, dworkvt, ldwvt, dwork, ldw, c_one, dC, lddc, queue ); } else { // W2 = T W = T V^H C magma_dgemm( trans, MagmaNoTrans, k, n, k, c_one, dT, lddt, dwork, ldw, c_zero, dworkvt, ldwvt, queue ); // C = C - V W2 = C - V T V^H C = (I - V T V^H) C = H C magma_dgemm( notransV, MagmaNoTrans, m, n, k, c_neg_one, dV, lddv, dworkvt, ldwvt, c_one, dC, lddc, queue ); } } else { // Form C H or C H^H // Comments assume C H. // When forming C H^H, T gets transposed via trans. // W = C V magma_dgemm( MagmaNoTrans, notransV, m, k, n, c_one, dC, lddc, dV, lddv, c_zero, dwork, ldw, queue ); if (m <= n) { // W2 = W T = C V T magma_dgemm( MagmaNoTrans, trans, m, k, k, c_one, dwork, ldw, dT, lddt, c_zero, dworkvt, ldwvt, queue ); // C = C - W2 V^H = C - C V T V^H = C (I - V T V^H) = C H magma_dgemm( MagmaNoTrans, transV, m, n, k, c_neg_one, dworkvt, ldwvt, dV, lddv, c_one, dC, lddc, queue ); } else { // W2 = T V^H magma_dgemm( trans, transV, k, n, k, c_one, dT, lddt, dV, lddv, c_zero, dworkvt, ldwvt, queue ); // C = C - W W2 = C - C V T V^H = C (I - V T V^H) = C H magma_dgemm( MagmaNoTrans, MagmaNoTrans, m, n, k, c_neg_one, dwork, ldw, dworkvt, ldwvt, c_one, dC, lddc, queue ); } } return info; } /* magma_dlarfb */
[ "sinkingsugar@gmail.com" ]
sinkingsugar@gmail.com
9372ccf6b8d901ff394fc136233be09940dc0645
11048eb336143c646a476bccb0daf4262ec31ff1
/qt/Eclass_T/helpdialog.h
200e63e2dca3d5367e25290874077f91ddca3f15
[]
no_license
1995cy/mygit
f05ddf0e8a360b206af8c22ba8d4689b990341e5
07e313c52cb8f69840a70a5bd97cbea5c5926085
refs/heads/master
2021-01-17T07:11:32.949781
2016-06-11T07:19:30
2016-06-11T07:19:30
47,972,942
0
0
null
null
null
null
UTF-8
C++
false
false
319
h
#ifndef HELPDIALOG_H #define HELPDIALOG_H #include <QDialog> #include <QDebug> #include <QMovie> namespace Ui { class helpDialog; } class helpDialog : public QDialog { Q_OBJECT public: explicit helpDialog(QWidget *parent = 0); ~helpDialog(); private: Ui::helpDialog *ui; }; #endif // HELPDIALOG_H
[ "827170272@qq.com" ]
827170272@qq.com
386681667c9f80ddfbc6716e5fde3edf36991e58
0d1645e912fc1477eef73245a75af85635a31bd8
/sdk/js/include/nsIDialogParamBlock.h
5028d4a05d9fb3db3b78c93a002dc4f382023301
[ "MIT" ]
permissive
qianxj/XExplorer
a2115106560f771bc3edc084b7e986332d0e41f4
00e326da03ffcaa21115a2345275452607c6bab5
refs/heads/master
2021-09-03T13:37:39.395524
2018-01-09T12:06:29
2018-01-09T12:06:29
114,638,878
0
0
null
null
null
null
UTF-8
C++
false
false
7,011
h
/* * DO NOT EDIT. THIS FILE IS GENERATED FROM d:/firefox-5.0.1/mozilla-release/embedding/components/windowwatcher/public/nsIDialogParamBlock.idl */ #ifndef __gen_nsIDialogParamBlock_h__ #define __gen_nsIDialogParamBlock_h__ #ifndef __gen_nsISupports_h__ #include "nsISupports.h" #endif /* For IDL files that don't want to include root IDL files. */ #ifndef NS_NO_VTABLE #define NS_NO_VTABLE #endif class nsIMutableArray; /* forward declaration */ /* starting interface: nsIDialogParamBlock */ #define NS_IDIALOGPARAMBLOCK_IID_STR "f76c0901-437a-11d3-b7a0-e35db351b4bc" #define NS_IDIALOGPARAMBLOCK_IID \ {0xf76c0901, 0x437a, 0x11d3, \ { 0xb7, 0xa0, 0xe3, 0x5d, 0xb3, 0x51, 0xb4, 0xbc }} /** * An interface to pass strings, integers and nsISupports to a dialog */ class NS_NO_VTABLE NS_SCRIPTABLE nsIDialogParamBlock : public nsISupports { public: NS_DECLARE_STATIC_IID_ACCESSOR(NS_IDIALOGPARAMBLOCK_IID) /** Get or set an integer to pass. * Index must be in the range 0..7 */ /* PRInt32 GetInt (in PRInt32 inIndex); */ NS_SCRIPTABLE NS_IMETHOD GetInt(PRInt32 inIndex, PRInt32 *_retval NS_OUTPARAM) = 0; /* void SetInt (in PRInt32 inIndex, in PRInt32 inInt); */ NS_SCRIPTABLE NS_IMETHOD SetInt(PRInt32 inIndex, PRInt32 inInt) = 0; /** Set the maximum number of strings to pass. Default is 16. * Use before setting any string (If you want to change it from the default). */ /* void SetNumberStrings (in PRInt32 inNumStrings); */ NS_SCRIPTABLE NS_IMETHOD SetNumberStrings(PRInt32 inNumStrings) = 0; /** Get or set an string to pass. * Index starts at 0 */ /* wstring GetString (in PRInt32 inIndex); */ NS_SCRIPTABLE NS_IMETHOD GetString(PRInt32 inIndex, PRUnichar **_retval NS_OUTPARAM) = 0; /* void SetString (in PRInt32 inIndex, in wstring inString); */ NS_SCRIPTABLE NS_IMETHOD SetString(PRInt32 inIndex, const PRUnichar *inString) = 0; /** * A place where you can store an nsIMutableArray to pass nsISupports */ /* attribute nsIMutableArray objects; */ NS_SCRIPTABLE NS_IMETHOD GetObjects(nsIMutableArray **aObjects) = 0; NS_SCRIPTABLE NS_IMETHOD SetObjects(nsIMutableArray *aObjects) = 0; }; NS_DEFINE_STATIC_IID_ACCESSOR(nsIDialogParamBlock, NS_IDIALOGPARAMBLOCK_IID) /* Use this macro when declaring classes that implement this interface. */ #define NS_DECL_NSIDIALOGPARAMBLOCK \ NS_SCRIPTABLE NS_IMETHOD GetInt(PRInt32 inIndex, PRInt32 *_retval NS_OUTPARAM); \ NS_SCRIPTABLE NS_IMETHOD SetInt(PRInt32 inIndex, PRInt32 inInt); \ NS_SCRIPTABLE NS_IMETHOD SetNumberStrings(PRInt32 inNumStrings); \ NS_SCRIPTABLE NS_IMETHOD GetString(PRInt32 inIndex, PRUnichar **_retval NS_OUTPARAM); \ NS_SCRIPTABLE NS_IMETHOD SetString(PRInt32 inIndex, const PRUnichar *inString); \ NS_SCRIPTABLE NS_IMETHOD GetObjects(nsIMutableArray **aObjects); \ NS_SCRIPTABLE NS_IMETHOD SetObjects(nsIMutableArray *aObjects); /* Use this macro to declare functions that forward the behavior of this interface to another object. */ #define NS_FORWARD_NSIDIALOGPARAMBLOCK(_to) \ NS_SCRIPTABLE NS_IMETHOD GetInt(PRInt32 inIndex, PRInt32 *_retval NS_OUTPARAM) { return _to GetInt(inIndex, _retval); } \ NS_SCRIPTABLE NS_IMETHOD SetInt(PRInt32 inIndex, PRInt32 inInt) { return _to SetInt(inIndex, inInt); } \ NS_SCRIPTABLE NS_IMETHOD SetNumberStrings(PRInt32 inNumStrings) { return _to SetNumberStrings(inNumStrings); } \ NS_SCRIPTABLE NS_IMETHOD GetString(PRInt32 inIndex, PRUnichar **_retval NS_OUTPARAM) { return _to GetString(inIndex, _retval); } \ NS_SCRIPTABLE NS_IMETHOD SetString(PRInt32 inIndex, const PRUnichar *inString) { return _to SetString(inIndex, inString); } \ NS_SCRIPTABLE NS_IMETHOD GetObjects(nsIMutableArray **aObjects) { return _to GetObjects(aObjects); } \ NS_SCRIPTABLE NS_IMETHOD SetObjects(nsIMutableArray *aObjects) { return _to SetObjects(aObjects); } /* Use this macro to declare functions that forward the behavior of this interface to another object in a safe way. */ #define NS_FORWARD_SAFE_NSIDIALOGPARAMBLOCK(_to) \ NS_SCRIPTABLE NS_IMETHOD GetInt(PRInt32 inIndex, PRInt32 *_retval NS_OUTPARAM) { return !_to ? NS_ERROR_NULL_POINTER : _to->GetInt(inIndex, _retval); } \ NS_SCRIPTABLE NS_IMETHOD SetInt(PRInt32 inIndex, PRInt32 inInt) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetInt(inIndex, inInt); } \ NS_SCRIPTABLE NS_IMETHOD SetNumberStrings(PRInt32 inNumStrings) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetNumberStrings(inNumStrings); } \ NS_SCRIPTABLE NS_IMETHOD GetString(PRInt32 inIndex, PRUnichar **_retval NS_OUTPARAM) { return !_to ? NS_ERROR_NULL_POINTER : _to->GetString(inIndex, _retval); } \ NS_SCRIPTABLE NS_IMETHOD SetString(PRInt32 inIndex, const PRUnichar *inString) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetString(inIndex, inString); } \ NS_SCRIPTABLE NS_IMETHOD GetObjects(nsIMutableArray **aObjects) { return !_to ? NS_ERROR_NULL_POINTER : _to->GetObjects(aObjects); } \ NS_SCRIPTABLE NS_IMETHOD SetObjects(nsIMutableArray *aObjects) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetObjects(aObjects); } #if 0 /* Use the code below as a template for the implementation class for this interface. */ /* Header file */ class nsDialogParamBlock : public nsIDialogParamBlock { public: NS_DECL_ISUPPORTS NS_DECL_NSIDIALOGPARAMBLOCK nsDialogParamBlock(); private: ~nsDialogParamBlock(); protected: /* additional members */ }; /* Implementation file */ NS_IMPL_ISUPPORTS1(nsDialogParamBlock, nsIDialogParamBlock) nsDialogParamBlock::nsDialogParamBlock() { /* member initializers and constructor code */ } nsDialogParamBlock::~nsDialogParamBlock() { /* destructor code */ } /* PRInt32 GetInt (in PRInt32 inIndex); */ NS_IMETHODIMP nsDialogParamBlock::GetInt(PRInt32 inIndex, PRInt32 *_retval NS_OUTPARAM) { return NS_ERROR_NOT_IMPLEMENTED; } /* void SetInt (in PRInt32 inIndex, in PRInt32 inInt); */ NS_IMETHODIMP nsDialogParamBlock::SetInt(PRInt32 inIndex, PRInt32 inInt) { return NS_ERROR_NOT_IMPLEMENTED; } /* void SetNumberStrings (in PRInt32 inNumStrings); */ NS_IMETHODIMP nsDialogParamBlock::SetNumberStrings(PRInt32 inNumStrings) { return NS_ERROR_NOT_IMPLEMENTED; } /* wstring GetString (in PRInt32 inIndex); */ NS_IMETHODIMP nsDialogParamBlock::GetString(PRInt32 inIndex, PRUnichar **_retval NS_OUTPARAM) { return NS_ERROR_NOT_IMPLEMENTED; } /* void SetString (in PRInt32 inIndex, in wstring inString); */ NS_IMETHODIMP nsDialogParamBlock::SetString(PRInt32 inIndex, const PRUnichar *inString) { return NS_ERROR_NOT_IMPLEMENTED; } /* attribute nsIMutableArray objects; */ NS_IMETHODIMP nsDialogParamBlock::GetObjects(nsIMutableArray **aObjects) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsDialogParamBlock::SetObjects(nsIMutableArray *aObjects) { return NS_ERROR_NOT_IMPLEMENTED; } /* End of implementation class template. */ #endif #define NS_DIALOGPARAMBLOCK_CONTRACTID "@mozilla.org/embedcomp/dialogparam;1" #endif /* __gen_nsIDialogParamBlock_h__ */
[ "qianxj15@sina.com" ]
qianxj15@sina.com
37f17fd0956e2a18697551d9c7d32a244d689a05
d779e59530bab2f01190a382acd1d64cfc197568
/Placement Preparation Course [PPC 1]/18. Trie/05. Camel Case.cpp
fa843d1fdce978ae67f58a607f26ad7829c28bd8
[]
no_license
GokuPiyush/CP.cpp
6cef1f8268481deca8e40a190d667c1ccb92c78e
1f675197428ab726daaabc4fa5ab6a10044a202d
refs/heads/master
2023-02-21T17:44:20.080003
2021-01-20T09:00:30
2021-01-20T09:00:30
331,248,061
0
0
null
null
null
null
UTF-8
C++
false
false
429
cpp
/* Given a dictionary of words dict where each word follows CamelCase notation, print all words in the dictionary that match with a given pattern consisting of uppercase characters only. CamelCase is the practice of writing compound words or phrases such that each word or abbreviation begins with a capital letter. Common examples include: “PowerPoint” and “WikiPedia”, “GeeksForGeeks”, “CodeBlocks”, etc. */
[ "PiyushTheGoku@gamil.com" ]
PiyushTheGoku@gamil.com
27528e9071b3d29b8c24acb139b5addd78df75f1
2dc791511160f8417541a74f9630bcd22f7f3923
/PAT/Advanced_Level/1117.cpp
af5154daea9bd19d39dbe39c7bc86b9d98870d64
[]
no_license
linlih/CodeExercise
f3f8b15ef86c7891537549db986a540829ff323b
5f34c0a402d263fd0ada4cb659ed2ebb1c91c6e1
refs/heads/master
2021-06-09T08:56:12.574375
2021-04-16T06:58:47
2021-04-16T06:58:47
163,124,042
0
0
null
null
null
null
UTF-8
C++
false
false
1,085
cpp
// /* // 问题描述: // 解题思路: // */ // #include <bits/stdc++.h> // using namespace std; // int main(int argc, char const *argv[]) { // freopen("input.txt","r",stdin); // int n; // cin >> n; // vector<int> dis; // int temp; // for (int i = 0; i < n; ++i) { // scanf("%d", &temp); // dis.push_back(temp); // } // sort(dis.begin(), dis.end()); // int num = -1; // for (int i = 0; i < n; ++i) { // //cout << dis[n - i - 1] << endl; // if (i < dis[n - i - 1]) { // num = i; // //cout << i << endl; // } // } // cout << num + 1 << endl; // return 0; // } /* 问题描述: 解题思路: */ #include <bits/stdc++.h> using namespace std; int a[100000]; int main(int argc, char const *argv[]) { freopen("input.txt","r",stdin); int n, e = 0; scanf("%d", &n); for (int i = 0; i < n; ++i) scanf("%d", &a[i]); sort(a, a + n, greater<int>()); while (e < n && a[e] > e + 1) e++; printf("%d", e); return 0; }
[ "linhome.luck@gmail.com" ]
linhome.luck@gmail.com
436994e1a91aa3252567365375bdc75837aaec4c
02ad580dcef8e1584a231afbd54a5caadfab9698
/project1/fir128_optimized2/fir.cpp
6d7dc9310978521b32280ce60c1123bce90e558e
[]
no_license
wh-xu/CSE237C_wexu
ced322ecf81d05260c727ebb3b0739d147a175b2
58781bbb5e11ff79e8db715f1af6281d8f88f51c
refs/heads/main
2023-02-01T21:41:32.211424
2020-12-21T07:47:56
2020-12-21T07:47:56
302,580,496
2
1
null
null
null
null
UTF-8
C++
false
false
1,070
cpp
/* Filename: fir.cpp FIR lab wirtten for WES/CSE237C class at UCSD. Match filter INPUT: x: signal (chirp) OUTPUT: y: filtered output */ #include "fir.h" void fir ( acc_t *y, data_t x ) { coef_t c[N] = {10, 11, 11, 8, 3, -3, -8, -11, -11, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -10, -11, -11, -8, -3, 3, 8, 11, 11, 10, 10, 10, 10, 10, 10, 10, 10, 11, 11, 8, 3, -3, -8, -11, -11, -10, -10, -10, -10, -10, -10, -10, -10, -11, -11, -8, -3, 3, 8, 11, 11, 10, 10, 10, 10, 10, 10, 10, 10, 11, 11, 8, 3, -3, -8, -11, -11, -10, -10, -10, -10, -10, -10, -10, -10, -11, -11, -8, -3, 3, 8, 11, 11, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10}; // Write your code here static data_t reg_x[N]; acc_t ACC = 0; TDL: for (int i = N-1; i >= 0; i--) { if(i==0) reg_x[0] = x; else reg_x[i] = reg_x[i-1]; } MAC: for (int i = N-1; i >= 0; i--) { #pragma HLS pipeline II=2 ACC += c[i]*reg_x[i]; } *y = ACC; }
[ "xuweih0712@gmail.com" ]
xuweih0712@gmail.com
7d360614fbefd316d316fafdabe19ed5d5954b9a
3bccf6eb38c29f9f71fe4b4e64455b95cc1ca9fe
/Mul/solution6/syn/systemc/mul1.h
8227a8d7e43339f06a316b8d443e981b325e5349
[]
no_license
ayush983/Sparse_Matrix_Accelerator
7f18b9ae00436d907475626aa6dcf2fef8a2e926
7d96709c8a6f166cea0542d76b1f92d98e70939f
refs/heads/master
2023-06-20T13:56:37.386088
2021-07-23T09:30:26
2021-07-23T09:30:26
388,742,889
0
1
null
null
null
null
UTF-8
C++
false
false
9,436
h
// ============================================================== // RTL generated by Vivado(TM) HLS - High-Level Synthesis from C, C++ and SystemC // Version: 2018.2 // Copyright (C) 1986-2018 Xilinx, Inc. All Rights Reserved. // // =========================================================== #ifndef _mul1_HH_ #define _mul1_HH_ #include "systemc.h" #include "AESL_pkg.h" namespace ap_rtl { struct mul1 : public sc_module { // Port declarations 76 sc_in_clk ap_clk; sc_in< sc_logic > ap_rst; sc_in< sc_logic > ap_start; sc_out< sc_logic > ap_done; sc_out< sc_logic > ap_idle; sc_out< sc_logic > ap_ready; sc_out< sc_lv<3> > B_0_address0; sc_out< sc_logic > B_0_ce0; sc_in< sc_lv<32> > B_0_q0; sc_out< sc_lv<3> > B_1_address0; sc_out< sc_logic > B_1_ce0; sc_in< sc_lv<32> > B_1_q0; sc_out< sc_lv<3> > B_2_address0; sc_out< sc_logic > B_2_ce0; sc_in< sc_lv<32> > B_2_q0; sc_out< sc_lv<3> > B_3_address0; sc_out< sc_logic > B_3_ce0; sc_in< sc_lv<32> > B_3_q0; sc_out< sc_lv<3> > B_4_address0; sc_out< sc_logic > B_4_ce0; sc_in< sc_lv<32> > B_4_q0; sc_out< sc_lv<3> > B_5_address0; sc_out< sc_logic > B_5_ce0; sc_in< sc_lv<32> > B_5_q0; sc_out< sc_lv<3> > B_6_address0; sc_out< sc_logic > B_6_ce0; sc_in< sc_lv<32> > B_6_q0; sc_out< sc_lv<3> > B_7_address0; sc_out< sc_logic > B_7_ce0; sc_in< sc_lv<32> > B_7_q0; sc_out< sc_lv<3> > C_0_address0; sc_out< sc_logic > C_0_ce0; sc_out< sc_logic > C_0_we0; sc_out< sc_lv<32> > C_0_d0; sc_in< sc_lv<32> > C_0_q0; sc_out< sc_lv<3> > C_1_address0; sc_out< sc_logic > C_1_ce0; sc_out< sc_logic > C_1_we0; sc_out< sc_lv<32> > C_1_d0; sc_in< sc_lv<32> > C_1_q0; sc_out< sc_lv<3> > C_2_address0; sc_out< sc_logic > C_2_ce0; sc_out< sc_logic > C_2_we0; sc_out< sc_lv<32> > C_2_d0; sc_in< sc_lv<32> > C_2_q0; sc_out< sc_lv<3> > C_3_address0; sc_out< sc_logic > C_3_ce0; sc_out< sc_logic > C_3_we0; sc_out< sc_lv<32> > C_3_d0; sc_in< sc_lv<32> > C_3_q0; sc_out< sc_lv<3> > C_4_address0; sc_out< sc_logic > C_4_ce0; sc_out< sc_logic > C_4_we0; sc_out< sc_lv<32> > C_4_d0; sc_in< sc_lv<32> > C_4_q0; sc_out< sc_lv<3> > C_5_address0; sc_out< sc_logic > C_5_ce0; sc_out< sc_logic > C_5_we0; sc_out< sc_lv<32> > C_5_d0; sc_in< sc_lv<32> > C_5_q0; sc_out< sc_lv<3> > C_6_address0; sc_out< sc_logic > C_6_ce0; sc_out< sc_logic > C_6_we0; sc_out< sc_lv<32> > C_6_d0; sc_in< sc_lv<32> > C_6_q0; sc_out< sc_lv<3> > C_7_address0; sc_out< sc_logic > C_7_ce0; sc_out< sc_logic > C_7_we0; sc_out< sc_lv<32> > C_7_d0; sc_in< sc_lv<32> > C_7_q0; sc_out< sc_lv<5> > sparse_new_address0; sc_out< sc_logic > sparse_new_ce0; sc_in< sc_lv<32> > sparse_new_q0; sc_out< sc_lv<5> > sparse_new_address1; sc_out< sc_logic > sparse_new_ce1; sc_in< sc_lv<32> > sparse_new_q1; // Module declarations mul1(sc_module_name name); SC_HAS_PROCESS(mul1); ~mul1(); sc_trace_file* mVcdFile; ofstream mHdltvinHandle; ofstream mHdltvoutHandle; sc_signal< sc_lv<6> > ap_CS_fsm; sc_signal< sc_logic > ap_CS_fsm_state1; sc_signal< sc_lv<3> > i_1_fu_310_p2; sc_signal< sc_lv<3> > i_1_reg_471; sc_signal< sc_logic > ap_CS_fsm_state2; sc_signal< sc_lv<6> > tmp_4_fu_332_p2; sc_signal< sc_lv<6> > tmp_4_reg_476; sc_signal< sc_lv<1> > exitcond1_fu_304_p2; sc_signal< sc_logic > ap_CS_fsm_state3; sc_signal< sc_lv<3> > C_0_addr_reg_501; sc_signal< sc_lv<3> > C_1_addr_reg_511; sc_signal< sc_lv<3> > C_2_addr_reg_521; sc_signal< sc_lv<3> > C_3_addr_reg_531; sc_signal< sc_lv<3> > C_4_addr_reg_541; sc_signal< sc_lv<3> > C_5_addr_reg_551; sc_signal< sc_lv<3> > C_6_addr_reg_561; sc_signal< sc_lv<3> > C_7_addr_reg_571; sc_signal< sc_lv<32> > val_reg_576; sc_signal< sc_logic > ap_CS_fsm_state4; sc_signal< sc_lv<32> > B_0_load_reg_588; sc_signal< sc_lv<32> > B_1_load_reg_593; sc_signal< sc_lv<32> > B_2_load_reg_598; sc_signal< sc_lv<32> > B_3_load_reg_603; sc_signal< sc_lv<32> > B_4_load_reg_608; sc_signal< sc_lv<32> > B_5_load_reg_613; sc_signal< sc_lv<32> > B_6_load_reg_618; sc_signal< sc_lv<32> > B_7_load_reg_623; sc_signal< sc_lv<32> > tmp_5_fu_388_p2; sc_signal< sc_lv<32> > tmp_5_reg_628; sc_signal< sc_logic > ap_CS_fsm_state5; sc_signal< sc_lv<32> > tmp_5_1_fu_392_p2; sc_signal< sc_lv<32> > tmp_5_1_reg_633; sc_signal< sc_lv<32> > tmp_5_2_fu_396_p2; sc_signal< sc_lv<32> > tmp_5_2_reg_638; sc_signal< sc_lv<32> > tmp_5_3_fu_400_p2; sc_signal< sc_lv<32> > tmp_5_3_reg_643; sc_signal< sc_lv<32> > tmp_5_4_fu_404_p2; sc_signal< sc_lv<32> > tmp_5_4_reg_648; sc_signal< sc_lv<32> > tmp_5_5_fu_408_p2; sc_signal< sc_lv<32> > tmp_5_5_reg_653; sc_signal< sc_lv<32> > tmp_5_6_fu_412_p2; sc_signal< sc_lv<32> > tmp_5_6_reg_658; sc_signal< sc_lv<32> > tmp_5_7_fu_416_p2; sc_signal< sc_lv<32> > tmp_5_7_reg_663; sc_signal< sc_lv<3> > i_reg_293; sc_signal< sc_logic > ap_CS_fsm_state6; sc_signal< sc_lv<64> > tmp_4_cast_fu_338_p1; sc_signal< sc_lv<64> > tmp_7_cast_fu_349_p1; sc_signal< sc_lv<64> > tmp_8_cast_fu_359_p1; sc_signal< sc_lv<64> > tmp_1_fu_364_p1; sc_signal< sc_lv<64> > tmp_2_fu_376_p1; sc_signal< sc_lv<5> > tmp_3_fu_320_p3; sc_signal< sc_lv<6> > p_shl_cast_fu_328_p1; sc_signal< sc_lv<6> > tmp_cast_fu_316_p1; sc_signal< sc_lv<6> > tmp_7_fu_343_p2; sc_signal< sc_lv<6> > tmp_8_fu_354_p2; sc_signal< sc_lv<6> > ap_NS_fsm; static const sc_logic ap_const_logic_1; static const sc_logic ap_const_logic_0; static const sc_lv<6> ap_ST_fsm_state1; static const sc_lv<6> ap_ST_fsm_state2; static const sc_lv<6> ap_ST_fsm_state3; static const sc_lv<6> ap_ST_fsm_state4; static const sc_lv<6> ap_ST_fsm_state5; static const sc_lv<6> ap_ST_fsm_state6; static const sc_lv<32> ap_const_lv32_0; static const sc_lv<32> ap_const_lv32_1; static const sc_lv<1> ap_const_lv1_0; static const sc_lv<32> ap_const_lv32_2; static const sc_lv<32> ap_const_lv32_3; static const sc_lv<32> ap_const_lv32_4; static const sc_lv<3> ap_const_lv3_0; static const sc_lv<32> ap_const_lv32_5; static const sc_lv<3> ap_const_lv3_6; static const sc_lv<3> ap_const_lv3_1; static const sc_lv<2> ap_const_lv2_0; static const sc_lv<6> ap_const_lv6_1; static const sc_lv<6> ap_const_lv6_2; static const sc_lv<1> ap_const_lv1_1; static const bool ap_const_boolean_1; // Thread declarations void thread_ap_clk_no_reset_(); void thread_B_0_address0(); void thread_B_0_ce0(); void thread_B_1_address0(); void thread_B_1_ce0(); void thread_B_2_address0(); void thread_B_2_ce0(); void thread_B_3_address0(); void thread_B_3_ce0(); void thread_B_4_address0(); void thread_B_4_ce0(); void thread_B_5_address0(); void thread_B_5_ce0(); void thread_B_6_address0(); void thread_B_6_ce0(); void thread_B_7_address0(); void thread_B_7_ce0(); void thread_C_0_address0(); void thread_C_0_ce0(); void thread_C_0_d0(); void thread_C_0_we0(); void thread_C_1_address0(); void thread_C_1_ce0(); void thread_C_1_d0(); void thread_C_1_we0(); void thread_C_2_address0(); void thread_C_2_ce0(); void thread_C_2_d0(); void thread_C_2_we0(); void thread_C_3_address0(); void thread_C_3_ce0(); void thread_C_3_d0(); void thread_C_3_we0(); void thread_C_4_address0(); void thread_C_4_ce0(); void thread_C_4_d0(); void thread_C_4_we0(); void thread_C_5_address0(); void thread_C_5_ce0(); void thread_C_5_d0(); void thread_C_5_we0(); void thread_C_6_address0(); void thread_C_6_ce0(); void thread_C_6_d0(); void thread_C_6_we0(); void thread_C_7_address0(); void thread_C_7_ce0(); void thread_C_7_d0(); void thread_C_7_we0(); void thread_ap_CS_fsm_state1(); void thread_ap_CS_fsm_state2(); void thread_ap_CS_fsm_state3(); void thread_ap_CS_fsm_state4(); void thread_ap_CS_fsm_state5(); void thread_ap_CS_fsm_state6(); void thread_ap_done(); void thread_ap_idle(); void thread_ap_ready(); void thread_exitcond1_fu_304_p2(); void thread_i_1_fu_310_p2(); void thread_p_shl_cast_fu_328_p1(); void thread_sparse_new_address0(); void thread_sparse_new_address1(); void thread_sparse_new_ce0(); void thread_sparse_new_ce1(); void thread_tmp_1_fu_364_p1(); void thread_tmp_2_fu_376_p1(); void thread_tmp_3_fu_320_p3(); void thread_tmp_4_cast_fu_338_p1(); void thread_tmp_4_fu_332_p2(); void thread_tmp_5_1_fu_392_p2(); void thread_tmp_5_2_fu_396_p2(); void thread_tmp_5_3_fu_400_p2(); void thread_tmp_5_4_fu_404_p2(); void thread_tmp_5_5_fu_408_p2(); void thread_tmp_5_6_fu_412_p2(); void thread_tmp_5_7_fu_416_p2(); void thread_tmp_5_fu_388_p2(); void thread_tmp_7_cast_fu_349_p1(); void thread_tmp_7_fu_343_p2(); void thread_tmp_8_cast_fu_359_p1(); void thread_tmp_8_fu_354_p2(); void thread_tmp_cast_fu_316_p1(); void thread_ap_NS_fsm(); void thread_hdltv_gen(); }; } using namespace ap_rtl; #endif
[ "ayushrex007@gmail.com" ]
ayushrex007@gmail.com
685b1cf9c7dac55d3a27531c792421a84d7d85d2
043eb9b100070cef1a522ffea1c48f8f8d969ac7
/ios_proj/wwj/Classes/Native/mscorlib_System_Collections_Generic_Dictionary_2_Ke534766429.h
9d0ece02d7febba9db6c3052fc661a6dc41822ec
[]
no_license
spidermandl/wawaji
658076fcac0c0f5975eb332a52310a61a5396c25
209ef57c14f7ddd1b8309fc808501729dda58071
refs/heads/master
2021-01-18T16:38:07.528225
2017-10-19T09:57:00
2017-10-19T09:57:00
100,465,677
1
2
null
null
null
null
UTF-8
C++
false
false
1,325
h
#pragma once #include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <stdint.h> #include "mscorlib_System_Object2689449295.h" // System.Collections.Generic.Dictionary`2<System.Type,LitJson.ExporterFunc> struct Dictionary_2_t2346235954; #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.Dictionary`2/KeyCollection<System.Type,LitJson.ExporterFunc> struct KeyCollection_t534766429 : public Il2CppObject { public: // System.Collections.Generic.Dictionary`2<TKey,TValue> System.Collections.Generic.Dictionary`2/KeyCollection::dictionary Dictionary_2_t2346235954 * ___dictionary_0; public: inline static int32_t get_offset_of_dictionary_0() { return static_cast<int32_t>(offsetof(KeyCollection_t534766429, ___dictionary_0)); } inline Dictionary_2_t2346235954 * get_dictionary_0() const { return ___dictionary_0; } inline Dictionary_2_t2346235954 ** get_address_of_dictionary_0() { return &___dictionary_0; } inline void set_dictionary_0(Dictionary_2_t2346235954 * value) { ___dictionary_0 = value; Il2CppCodeGenWriteBarrier(&___dictionary_0, value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif
[ "Desmond@Desmonds-MacBook-Pro.local" ]
Desmond@Desmonds-MacBook-Pro.local
51d5fe829058f2b97cc0e7e9951e02d6f5e20abe
2358980715a3e949856ad5a5715707ada0ed8ae5
/Temp/il2cppOutput/il2cppOutput/Generics4.cpp
ccaf7bd72ea1c0ebe9e8f3174a2d9faace544c53
[]
no_license
DanielaLCM/Roll-a-ball2
58f3349a9bacd5101bb4c80608711a57dda9004a
e19724fcb4607fa709d06677ec4df5aa65233685
refs/heads/master
2021-01-04T03:47:32.339253
2020-02-13T21:32:21
2020-02-13T21:32:21
240,366,996
0
0
null
null
null
null
UTF-8
C++
false
false
1,462,363
cpp
#include "il2cpp-config.h" #ifndef _MSC_VER # include <alloca.h> #else # include <malloc.h> #endif #include <cstring> #include <string.h> #include <stdio.h> #include <cmath> #include <limits> #include <assert.h> #include <stdint.h> #include "codegen/il2cpp-codegen.h" #include "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> struct VirtFuncInvoker0 { typedef R (*Func)(void*, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeObject* obj) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj); return ((Func)invokeData.methodPtr)(obj, invokeData.method); } }; template <typename R, typename T1, 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); } }; template <typename R, typename T1> struct InterfaceFuncInvoker1 { typedef R (*Func)(void*, T1, const RuntimeMethod*); static inline R Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj, T1 p1) { const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface); return ((Func)invokeData.methodPtr)(obj, p1, invokeData.method); } }; template <typename R, 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); } }; // System.ArgumentException struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1; // System.ArgumentNullException struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD; // System.ArgumentOutOfRangeException struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA; // System.Boolean[] struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040; // System.Byte[] struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; // System.Char[] struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2; // System.Collections.Generic.ByteEqualityComparer struct ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B; // System.Collections.Generic.Comparer`1<System.Byte> struct Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50; // System.Collections.Generic.Comparer`1<System.Int32> struct Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2; // System.Collections.Generic.Comparer`1<System.Object> struct Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7; // System.Collections.Generic.Comparer`1<System.UInt64> struct Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> struct Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB; // System.Collections.Generic.EqualityComparer`1<System.Boolean> struct EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2; // System.Collections.Generic.EqualityComparer`1<System.Byte> struct EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5; // System.Collections.Generic.EqualityComparer`1<System.Char> struct EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76; // System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider/SessionInfo> struct EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF; // System.Collections.Generic.EqualityComparer`1<System.Guid> struct EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E; // System.Collections.Generic.EqualityComparer`1<System.Int32> struct EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20; // System.Collections.Generic.EqualityComparer`1<System.Int32Enum> struct EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4; // System.Collections.Generic.EqualityComparer`1<System.Object> struct EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA; // System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator> struct EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D; // System.Collections.Generic.EqualityComparer`1<System.Single> struct EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA; // System.Collections.Generic.EqualityComparer`1<System.String> struct EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137; // System.Collections.Generic.EqualityComparer`1<System.UInt64> struct EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13; // System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock> struct EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32> struct EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243; // System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult> struct EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock> struct EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation> struct EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState> struct EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo> struct EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo> struct EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex> struct EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest> struct EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2> struct EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3> struct EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4> struct EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA; // System.Collections.Generic.GenericComparer`1<System.Byte> struct GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E; // System.Collections.Generic.GenericComparer`1<System.Int32> struct GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E; // System.Collections.Generic.GenericComparer`1<System.Object> struct GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D; // System.Collections.Generic.GenericComparer`1<System.UInt64> struct GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959; // System.Collections.Generic.GenericEqualityComparer`1<System.Boolean> struct GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6; // System.Collections.Generic.GenericEqualityComparer`1<System.Byte> struct GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4; // System.Collections.Generic.GenericEqualityComparer`1<System.Char> struct GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85; // System.Collections.Generic.GenericEqualityComparer`1<System.Guid> struct GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8; // System.Collections.Generic.GenericEqualityComparer`1<System.Int32> struct GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1; // System.Collections.Generic.GenericEqualityComparer`1<System.Object> struct GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988; // System.Collections.Generic.GenericEqualityComparer`1<System.Single> struct GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586; // System.Collections.Generic.GenericEqualityComparer`1<System.UInt64> struct GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock> struct GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation> struct GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState> struct GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2> struct GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3> struct GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4> struct GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4; // System.Collections.Generic.HashSet`1/Slot<System.Object>[] struct SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B; // System.Collections.Generic.HashSet`1<System.Object> struct HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E; // System.Collections.Generic.IEnumerator`1<System.Object> struct IEnumerator_1_tDDB69E91697CCB64C7993B651487CEEC287DB7E8; // System.Collections.Generic.IEqualityComparer`1<System.Object> struct IEqualityComparer_1_tAE7A8756D8CF0882DD348DC328FB36FEE0FB7DD0; // System.Collections.Generic.InternalStringComparer struct InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD; // System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>[] struct KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F; // System.Collections.Generic.LinkedListNode`1<System.Object> struct LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683; // System.Collections.Generic.LinkedList`1<System.Object> struct LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384; // System.Collections.Generic.List`1<System.Byte> struct List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32; // System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>> struct List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1; // System.Collections.Generic.List`1<System.Diagnostics.Tracing.EventProvider/SessionInfo> struct List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975; // System.Collections.Generic.List`1<System.Int32> struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226; // System.Collections.Generic.List`1<System.Int32Enum> struct List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5; // System.Collections.Generic.List`1<System.Object> struct List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D; // System.Collections.IDictionary struct IDictionary_t1BD5C1546718A374EA8122FBD6C6EE45331E8CE7; // System.Collections.IEnumerator struct IEnumerator_t8789118187258CC88B77AFAC6315B5AF87D3E18A; // System.Diagnostics.StackTrace[] struct StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196; // System.Diagnostics.Tracing.EventProvider/SessionInfo[] struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906; // System.Guid[] struct GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF; // System.Int32Enum[] struct Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A; // System.Int32[] struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; // System.IntPtr[] struct IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD; // System.InvalidOperationException struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1; // System.MonoTypeInfo struct MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D; // System.Object[] struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A; // System.PlatformNotSupportedException struct PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5; // System.Reflection.Binder struct Binder_t4D5CB06963501D32847C057B57157D6DC49CA759; // System.Reflection.MemberFilter struct MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381; // System.Reflection.RuntimeConstructorInfo struct RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D; // System.Resources.ResourceLocator[] struct ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC; // System.Runtime.Serialization.IFormatterConverter struct IFormatterConverter_tC3280D64D358F47EA4DAF1A65609BA0FC081888A; // System.Runtime.Serialization.SafeSerializationManager struct SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770; // System.Runtime.Serialization.SerializationException struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26; // System.RuntimeType struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F; // System.Security.Cryptography.RandomNumberGenerator struct RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2; // System.Single[] struct SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5; // System.String struct String_t; // System.String[] struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E; // System.Threading.ManualResetEvent struct ManualResetEvent_tDFAF117B200ECA4CCF4FD09593F949A016D55408; // System.Threading.SendOrPostCallback struct SendOrPostCallback_t3F9C0164860E4AA5138DF8B4488DFB0D33147F01; // System.Type struct Type_t; // System.Type[] struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F; // System.UInt64[] struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4; // System.Void struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017; // UnityEngine.BeforeRenderHelper/OrderBlock[] struct OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101; // UnityEngine.Color32[] struct Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983; // UnityEngine.EventSystems.BaseRaycaster struct BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966; // UnityEngine.EventSystems.RaycastResult[] struct RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65; // UnityEngine.Events.UnityAction struct UnityAction_tD19B26F1B2C048E38FD5801A33573BE01064CAF4; // UnityEngine.GameObject struct GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F; // UnityEngine.Sprite struct Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198; // UnityEngine.UI.ColorBlock[] struct ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7; // UnityEngine.UI.Navigation[] struct NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D; // UnityEngine.UI.Selectable struct Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A; // UnityEngine.UI.SpriteState[] struct SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC; // UnityEngine.UICharInfo[] struct UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482; // UnityEngine.UILineInfo[] struct UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC; // UnityEngine.UIVertex[] struct UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A; // UnityEngine.UnitySynchronizationContext/WorkRequest[] struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0; // UnityEngine.Vector2[] struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6; // UnityEngine.Vector3[] struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28; // UnityEngine.Vector4[] struct Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66; IL2CPP_EXTERN_C RuntimeClass* ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ArrayTypeMismatchException_tE34C1032B089C37399200997F079C640D23D9499_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* HashHelpers_tEB19004A9D7DD7679EA1882AE9B96E117FDF0179_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C RuntimeClass* Type_t_il2cpp_TypeInfo_var; IL2CPP_EXTERN_C String_t* _stringLiteral1975CBF77583BAA2872D5092B6B3C8C6E30B630C; IL2CPP_EXTERN_C String_t* _stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25; IL2CPP_EXTERN_C String_t* _stringLiteral2060DAB8A1CFF1775D25A4E030FE56E2C02AB955; IL2CPP_EXTERN_C String_t* _stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A; IL2CPP_EXTERN_C String_t* _stringLiteral2DA600BF9404843107A9531694F654E5662959E0; IL2CPP_EXTERN_C String_t* _stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D; IL2CPP_EXTERN_C String_t* _stringLiteral45BD908DF490EDD79694BA0DAFF82FC092970B55; IL2CPP_EXTERN_C String_t* _stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC; IL2CPP_EXTERN_C String_t* _stringLiteral539C1C7D0F7920DE9DFF925D3A93342DAE4E9281; IL2CPP_EXTERN_C String_t* _stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889; IL2CPP_EXTERN_C String_t* _stringLiteral66E12969C225CC6D65E18210488ACB826EBA907E; IL2CPP_EXTERN_C String_t* _stringLiteral8F8692BA79A3BE3D4CB1FB9A9C4B8D8C4D007A03; IL2CPP_EXTERN_C String_t* _stringLiteral8FC94E4F5B71CECE2565D72417AACC804EE27A0D; IL2CPP_EXTERN_C String_t* _stringLiteralA563972E807D43617DFB0A4B0398984476C03544; IL2CPP_EXTERN_C String_t* _stringLiteralB7993DF68C9568B57EECEAEA86866FDB6C9C2288; IL2CPP_EXTERN_C String_t* _stringLiteralBB682E5F54E22D6CDF0694F6B2B8CA34656AAEC9; IL2CPP_EXTERN_C String_t* _stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8; IL2CPP_EXTERN_C String_t* _stringLiteralC363992023785AF013BBCF2E20C19D9835184F82; IL2CPP_EXTERN_C String_t* _stringLiteralC44D4E6C6AF3517A1CC72EDF7D1A5FFD7E3368F1; IL2CPP_EXTERN_C String_t* _stringLiteralCD7D0AC2EBED64F823B1ECA559037A9CB8EDE01A; IL2CPP_EXTERN_C String_t* _stringLiteralD504FDA00F5034044EB76B5BB63CE2E25C8806DE; IL2CPP_EXTERN_C String_t* _stringLiteralE367FF29A0663711C1EBDF26B6F12FAE055BEB20; IL2CPP_EXTERN_C String_t* _stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346; IL2CPP_EXTERN_C String_t* _stringLiteralE5E429BCC9C2E4A41A3C7A4D96203BE6CB273B11; IL2CPP_EXTERN_C String_t* _stringLiteralEE9F38E186BA06F57B7B74D7E626B94E13CE2556; IL2CPP_EXTERN_C String_t* _stringLiteralF8E966D1E207D02C44511A58DCCFF2F5429E9A3B; IL2CPP_EXTERN_C String_t* _stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3; IL2CPP_EXTERN_C String_t* _stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashSet_1_GetObjectData_m33BB367F48856550B518D102E12D57DD62954CB0_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashSet_1_IncreaseCapacity_m5E489948DFAF48EF132FFCCA37075A5C6AFAAAE1_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* HashSet_1_OnDeserialization_m3E4705E04C2AB1CD0ACA894B7BE8670889470956_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_GetObjectData_m0D37AE05D3E45DF993C0CC18153CA428ED73478F_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_OnDeserialization_m114383619E04563871C289C365F50669C06DC87C_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_RemoveLast_m8CE08D60D1A800F681D7870F88133EB471EF30CB_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeMethod* LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_RuntimeMethod_var; IL2CPP_EXTERN_C const RuntimeType* Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var; IL2CPP_EXTERN_C const RuntimeType* String_t_0_0_0_var; IL2CPP_EXTERN_C const uint32_t Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m0EF2917F754FE8502C11047451AC2CC29CB2D5C9_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m0F8F479E7775A62D1123851F1E9692BD779AEDA1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m18242C5753FFA716C6FFEA3D3F42E90AF05CC929_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m2205607EF82EF7D55ED0FAF2317C6C5828A792F6_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m2AA9932DD5B540A9357760DA942DCE1F556D766F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m3026EA84E55488E5D97A90E828D78D8109FAFDA9_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m32C8D4DC5F60D979F8B1D311EEEC2DF099B3B43F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m45F13F5F8FFC71CAFA585017FB724C32E8272353_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m7D6B16C8FE20DD6B58F6E6CB6CA026923259D20B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m81D95191FB1E936EEDE12D0820E7C5B73623FA69_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m91C0A135F052854A67AF577774BEF68F81FA8D73_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m9473A5B685735B77568EC6B3D49A16D1D42D5959_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m9511AEE64813F2E908922E9E9CC3933DC2649165_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_m99892DB0566688D7661638CAE6271B9DADCA758D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mB67B2D0FA7875878D19F0B8847044B505D553877_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mC194D6144B146CE27C54450303A74F03D88AE6A3_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mD03461CD1E584F563446BA3BA8440540DC735D59_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mD3B1BEE4D05505AA57D05F3181376F669107E465_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mEF28225684B4B163DC17D4295A3A92AF5E7DD10B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mF6DBE8A912EB55D7FBEBCAA57FC028D5AB24C892_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t EqualityComparer_1_CreateComparer_mFDFB6339F0AA48B8766B629B54CBF6A5E2E6B97D_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_GetObjectData_m33BB367F48856550B518D102E12D57DD62954CB0_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_IncreaseCapacity_m5E489948DFAF48EF132FFCCA37075A5C6AFAAAE1_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_Initialize_m8DC3BCD9F824FDC00AEC9BCD133F51FCBF40B87B_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_OnDeserialization_m3E4705E04C2AB1CD0ACA894B7BE8670889470956_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t HashSet_1_SetCapacity_m15EEB6C5C519EB741981DBB6F3C7C26E79558497_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_GetObjectData_m0D37AE05D3E45DF993C0CC18153CA428ED73478F_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_OnDeserialization_m114383619E04563871C289C365F50669C06DC87C_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_RemoveLast_m8CE08D60D1A800F681D7870F88133EB471EF30CB_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_MetadataUsageId; IL2CPP_EXTERN_C const uint32_t LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_MetadataUsageId; struct Exception_t_marshaled_com; struct Exception_t_marshaled_pinvoke; struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040; struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821; struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2; struct SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B; struct KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F; struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906; struct GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF; struct Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A; struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83; struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A; struct ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC; struct SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5; struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F; struct UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4; struct OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101; struct Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983; struct RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65; struct ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7; struct NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D; struct SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC; struct UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482; struct UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC; struct UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A; struct WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0; struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6; struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28; struct Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66; IL2CPP_EXTERN_C_BEGIN IL2CPP_EXTERN_C_END #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Object struct Il2CppArrayBounds; // System.Array // System.Collections.Generic.Comparer`1<System.Byte> struct Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 : public RuntimeObject { public: public: }; struct Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50_StaticFields { public: // System.Collections.Generic.Comparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.Comparer`1::defaultComparer Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50_StaticFields, ___defaultComparer_0)); } inline Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.Comparer`1<System.Int32> struct Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 : public RuntimeObject { public: public: }; struct Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2_StaticFields { public: // System.Collections.Generic.Comparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.Comparer`1::defaultComparer Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2_StaticFields, ___defaultComparer_0)); } inline Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.Comparer`1<System.Object> struct Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 : public RuntimeObject { public: public: }; struct Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7_StaticFields { public: // System.Collections.Generic.Comparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.Comparer`1::defaultComparer Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7_StaticFields, ___defaultComparer_0)); } inline Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.Comparer`1<System.UInt64> struct Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC : public RuntimeObject { public: public: }; struct Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC_StaticFields { public: // System.Collections.Generic.Comparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.Comparer`1::defaultComparer Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC_StaticFields, ___defaultComparer_0)); } inline Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC * get_defaultComparer_0() const { return ___defaultComparer_0; } inline Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Boolean> struct EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Byte> struct EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Char> struct EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo> struct EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF : public RuntimeObject { public: public: }; struct EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Guid> struct EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E : public RuntimeObject { public: public: }; struct EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Int32> struct EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Int32Enum> struct EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // 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((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator> struct EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D : public RuntimeObject { public: public: }; struct EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.Single> struct EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA : public RuntimeObject { public: public: }; struct EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.String> struct EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<System.UInt64> struct EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock> struct EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32> struct EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult> struct EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A : public RuntimeObject { public: public: }; struct EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock> struct EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D : public RuntimeObject { public: public: }; struct EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation> struct EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState> struct EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo> struct EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D : public RuntimeObject { public: public: }; struct EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo> struct EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 : public RuntimeObject { public: public: }; struct EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex> struct EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest> struct EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2> struct EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 : public RuntimeObject { public: public: }; struct EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3> struct EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D : public RuntimeObject { public: public: }; struct EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4> struct EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA : public RuntimeObject { public: public: }; struct EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA_StaticFields { public: // System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * ___defaultComparer_0; public: inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA_StaticFields, ___defaultComparer_0)); } inline EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * get_defaultComparer_0() const { return ___defaultComparer_0; } inline EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; } inline void set_defaultComparer_0(EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * value) { ___defaultComparer_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value); } }; // System.Collections.Generic.HashSet`1<System.Object> struct HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E : public RuntimeObject { public: // System.Int32[] System.Collections.Generic.HashSet`1::_buckets Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____buckets_7; // System.Collections.Generic.HashSet`1_Slot<T>[] System.Collections.Generic.HashSet`1::_slots SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* ____slots_8; // System.Int32 System.Collections.Generic.HashSet`1::_count int32_t ____count_9; // System.Int32 System.Collections.Generic.HashSet`1::_lastIndex int32_t ____lastIndex_10; // System.Int32 System.Collections.Generic.HashSet`1::_freeList int32_t ____freeList_11; // System.Collections.Generic.IEqualityComparer`1<T> System.Collections.Generic.HashSet`1::_comparer RuntimeObject* ____comparer_12; // System.Int32 System.Collections.Generic.HashSet`1::_version int32_t ____version_13; // System.Runtime.Serialization.SerializationInfo System.Collections.Generic.HashSet`1::_siInfo SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ____siInfo_14; public: inline static int32_t get_offset_of__buckets_7() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____buckets_7)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__buckets_7() const { return ____buckets_7; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__buckets_7() { return &____buckets_7; } inline void set__buckets_7(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____buckets_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____buckets_7), (void*)value); } inline static int32_t get_offset_of__slots_8() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____slots_8)); } inline SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* get__slots_8() const { return ____slots_8; } inline SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B** get_address_of__slots_8() { return &____slots_8; } inline void set__slots_8(SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* value) { ____slots_8 = value; Il2CppCodeGenWriteBarrier((void**)(&____slots_8), (void*)value); } inline static int32_t get_offset_of__count_9() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____count_9)); } inline int32_t get__count_9() const { return ____count_9; } inline int32_t* get_address_of__count_9() { return &____count_9; } inline void set__count_9(int32_t value) { ____count_9 = value; } inline static int32_t get_offset_of__lastIndex_10() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____lastIndex_10)); } inline int32_t get__lastIndex_10() const { return ____lastIndex_10; } inline int32_t* get_address_of__lastIndex_10() { return &____lastIndex_10; } inline void set__lastIndex_10(int32_t value) { ____lastIndex_10 = value; } inline static int32_t get_offset_of__freeList_11() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____freeList_11)); } inline int32_t get__freeList_11() const { return ____freeList_11; } inline int32_t* get_address_of__freeList_11() { return &____freeList_11; } inline void set__freeList_11(int32_t value) { ____freeList_11 = value; } inline static int32_t get_offset_of__comparer_12() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____comparer_12)); } inline RuntimeObject* get__comparer_12() const { return ____comparer_12; } inline RuntimeObject** get_address_of__comparer_12() { return &____comparer_12; } inline void set__comparer_12(RuntimeObject* value) { ____comparer_12 = value; Il2CppCodeGenWriteBarrier((void**)(&____comparer_12), (void*)value); } inline static int32_t get_offset_of__version_13() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____version_13)); } inline int32_t get__version_13() const { return ____version_13; } inline int32_t* get_address_of__version_13() { return &____version_13; } inline void set__version_13(int32_t value) { ____version_13 = value; } inline static int32_t get_offset_of__siInfo_14() { return static_cast<int32_t>(offsetof(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E, ____siInfo_14)); } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * get__siInfo_14() const { return ____siInfo_14; } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 ** get_address_of__siInfo_14() { return &____siInfo_14; } inline void set__siInfo_14(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * value) { ____siInfo_14 = value; Il2CppCodeGenWriteBarrier((void**)(&____siInfo_14), (void*)value); } }; // System.Collections.Generic.ICollectionDebugView`1<System.Object> struct ICollectionDebugView_1_tDB6BE6BBE12633D368C4DE0585A35483E361A97E : public RuntimeObject { public: public: }; // System.Collections.Generic.ICollectionDebugView`1<System.Object> struct ICollectionDebugView_1_tD1D98F2CFECA8921317EC16A7F265BE697F11BCD : public RuntimeObject { public: public: }; // System.Collections.Generic.IDictionaryDebugView`2<System.Object,System.Object> struct IDictionaryDebugView_2_tDECEFD297E1D1C6B57D98EDFD5330A9AC7D53364 : public RuntimeObject { public: public: }; // System.Collections.Generic.LinkedListNode`1<System.Object> struct LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 : public RuntimeObject { public: // System.Collections.Generic.LinkedList`1<T> System.Collections.Generic.LinkedListNode`1::list LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list_0; // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedListNode`1::next LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___next_1; // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedListNode`1::prev LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___prev_2; // T System.Collections.Generic.LinkedListNode`1::item RuntimeObject * ___item_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683, ___list_0)); } inline LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * get_list_0() const { return ___list_0; } inline LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683, ___next_1)); } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * get_next_1() const { return ___next_1; } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 ** get_address_of_next_1() { return &___next_1; } inline void set_next_1(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * value) { ___next_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___next_1), (void*)value); } inline static int32_t get_offset_of_prev_2() { return static_cast<int32_t>(offsetof(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683, ___prev_2)); } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * get_prev_2() const { return ___prev_2; } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 ** get_address_of_prev_2() { return &___prev_2; } inline void set_prev_2(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * value) { ___prev_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___prev_2), (void*)value); } inline static int32_t get_offset_of_item_3() { return static_cast<int32_t>(offsetof(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683, ___item_3)); } inline RuntimeObject * get_item_3() const { return ___item_3; } inline RuntimeObject ** get_address_of_item_3() { return &___item_3; } inline void set_item_3(RuntimeObject * value) { ___item_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___item_3), (void*)value); } }; // System.Collections.Generic.LinkedList`1<System.Object> struct LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 : public RuntimeObject { public: // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1::head LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___head_0; // System.Int32 System.Collections.Generic.LinkedList`1::count int32_t ___count_1; // System.Int32 System.Collections.Generic.LinkedList`1::version int32_t ___version_2; // System.Runtime.Serialization.SerializationInfo System.Collections.Generic.LinkedList`1::_siInfo SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ____siInfo_3; public: inline static int32_t get_offset_of_head_0() { return static_cast<int32_t>(offsetof(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384, ___head_0)); } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * get_head_0() const { return ___head_0; } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 ** get_address_of_head_0() { return &___head_0; } inline void set_head_0(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * value) { ___head_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___head_0), (void*)value); } inline static int32_t get_offset_of_count_1() { return static_cast<int32_t>(offsetof(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384, ___count_1)); } inline int32_t get_count_1() const { return ___count_1; } inline int32_t* get_address_of_count_1() { return &___count_1; } inline void set_count_1(int32_t value) { ___count_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of__siInfo_3() { return static_cast<int32_t>(offsetof(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384, ____siInfo_3)); } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * get__siInfo_3() const { return ____siInfo_3; } inline SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 ** get_address_of__siInfo_3() { return &____siInfo_3; } inline void set__siInfo_3(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * value) { ____siInfo_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____siInfo_3), (void*)value); } }; // System.Collections.Generic.List`1<System.Byte> struct List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32, ____items_1)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get__items_1() const { return ____items_1; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of__items_1() { return &____items_1; } inline void set__items_1(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32_StaticFields, ____emptyArray_5)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get__emptyArray_5() const { return ____emptyArray_5; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>> struct List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1, ____items_1)); } inline KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* get__items_1() const { return ____items_1; } inline KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F** get_address_of__items_1() { return &____items_1; } inline void set__items_1(KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1_StaticFields, ____emptyArray_5)); } inline KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* get__emptyArray_5() const { return ____emptyArray_5; } inline KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.Generic.List`1<System.Diagnostics.Tracing.EventProvider_SessionInfo> struct List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975, ____items_1)); } inline SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* get__items_1() const { return ____items_1; } inline SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906** get_address_of__items_1() { return &____items_1; } inline void set__items_1(SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975_StaticFields, ____emptyArray_5)); } inline SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* get__emptyArray_5() const { return ____emptyArray_5; } inline SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.Generic.List`1<System.Int32> struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____items_1)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__items_1() const { return ____items_1; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__items_1() { return &____items_1; } inline void set__items_1(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226_StaticFields, ____emptyArray_5)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get__emptyArray_5() const { return ____emptyArray_5; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.Generic.List`1<System.Int32Enum> struct List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5, ____items_1)); } inline Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* get__items_1() const { return ____items_1; } inline Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A** get_address_of__items_1() { return &____items_1; } inline void set__items_1(Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5_StaticFields, ____emptyArray_5)); } inline Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* get__emptyArray_5() const { return ____emptyArray_5; } inline Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Collections.Generic.List`1<System.Object> struct List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D : public RuntimeObject { public: // T[] System.Collections.Generic.List`1::_items ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ____items_1; // System.Int32 System.Collections.Generic.List`1::_size int32_t ____size_2; // System.Int32 System.Collections.Generic.List`1::_version int32_t ____version_3; // System.Object System.Collections.Generic.List`1::_syncRoot RuntimeObject * ____syncRoot_4; public: inline static int32_t get_offset_of__items_1() { return static_cast<int32_t>(offsetof(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D, ____items_1)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get__items_1() const { return ____items_1; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of__items_1() { return &____items_1; } inline void set__items_1(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ____items_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____items_1), (void*)value); } inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D, ____size_2)); } inline int32_t get__size_2() const { return ____size_2; } inline int32_t* get_address_of__size_2() { return &____size_2; } inline void set__size_2(int32_t value) { ____size_2 = value; } inline static int32_t get_offset_of__version_3() { return static_cast<int32_t>(offsetof(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D, ____version_3)); } inline int32_t get__version_3() const { return ____version_3; } inline int32_t* get_address_of__version_3() { return &____version_3; } inline void set__version_3(int32_t value) { ____version_3 = value; } inline static int32_t get_offset_of__syncRoot_4() { return static_cast<int32_t>(offsetof(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D, ____syncRoot_4)); } inline RuntimeObject * get__syncRoot_4() const { return ____syncRoot_4; } inline RuntimeObject ** get_address_of__syncRoot_4() { return &____syncRoot_4; } inline void set__syncRoot_4(RuntimeObject * value) { ____syncRoot_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_4), (void*)value); } }; struct List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D_StaticFields { public: // T[] System.Collections.Generic.List`1::_emptyArray ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ____emptyArray_5; public: inline static int32_t get_offset_of__emptyArray_5() { return static_cast<int32_t>(offsetof(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D_StaticFields, ____emptyArray_5)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get__emptyArray_5() const { return ____emptyArray_5; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of__emptyArray_5() { return &____emptyArray_5; } inline void set__emptyArray_5(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ____emptyArray_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____emptyArray_5), (void*)value); } }; // System.Reflection.MemberInfo struct MemberInfo_t : public RuntimeObject { public: public: }; // System.Runtime.Serialization.SerializationInfo struct SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 : public RuntimeObject { public: // System.String[] System.Runtime.Serialization.SerializationInfo::m_members StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___m_members_3; // System.Object[] System.Runtime.Serialization.SerializationInfo::m_data ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___m_data_4; // System.Type[] System.Runtime.Serialization.SerializationInfo::m_types TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___m_types_5; // System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Runtime.Serialization.SerializationInfo::m_nameToIndex Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * ___m_nameToIndex_6; // System.Int32 System.Runtime.Serialization.SerializationInfo::m_currMember int32_t ___m_currMember_7; // System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.SerializationInfo::m_converter RuntimeObject* ___m_converter_8; // System.String System.Runtime.Serialization.SerializationInfo::m_fullTypeName String_t* ___m_fullTypeName_9; // System.String System.Runtime.Serialization.SerializationInfo::m_assemName String_t* ___m_assemName_10; // System.Type System.Runtime.Serialization.SerializationInfo::objectType Type_t * ___objectType_11; // System.Boolean System.Runtime.Serialization.SerializationInfo::isFullTypeNameSetExplicit bool ___isFullTypeNameSetExplicit_12; // System.Boolean System.Runtime.Serialization.SerializationInfo::isAssemblyNameSetExplicit bool ___isAssemblyNameSetExplicit_13; // System.Boolean System.Runtime.Serialization.SerializationInfo::requireSameTokenInPartialTrust bool ___requireSameTokenInPartialTrust_14; public: inline static int32_t get_offset_of_m_members_3() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_members_3)); } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_m_members_3() const { return ___m_members_3; } inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_m_members_3() { return &___m_members_3; } inline void set_m_members_3(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value) { ___m_members_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_members_3), (void*)value); } inline static int32_t get_offset_of_m_data_4() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_data_4)); } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* get_m_data_4() const { return ___m_data_4; } inline ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A** get_address_of_m_data_4() { return &___m_data_4; } inline void set_m_data_4(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* value) { ___m_data_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_data_4), (void*)value); } inline static int32_t get_offset_of_m_types_5() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_types_5)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_m_types_5() const { return ___m_types_5; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_m_types_5() { return &___m_types_5; } inline void set_m_types_5(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___m_types_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_types_5), (void*)value); } inline static int32_t get_offset_of_m_nameToIndex_6() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_nameToIndex_6)); } inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * get_m_nameToIndex_6() const { return ___m_nameToIndex_6; } inline Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB ** get_address_of_m_nameToIndex_6() { return &___m_nameToIndex_6; } inline void set_m_nameToIndex_6(Dictionary_2_tD6E204872BA9FD506A0287EF68E285BEB9EC0DFB * value) { ___m_nameToIndex_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_nameToIndex_6), (void*)value); } inline static int32_t get_offset_of_m_currMember_7() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_currMember_7)); } inline int32_t get_m_currMember_7() const { return ___m_currMember_7; } inline int32_t* get_address_of_m_currMember_7() { return &___m_currMember_7; } inline void set_m_currMember_7(int32_t value) { ___m_currMember_7 = value; } inline static int32_t get_offset_of_m_converter_8() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_converter_8)); } inline RuntimeObject* get_m_converter_8() const { return ___m_converter_8; } inline RuntimeObject** get_address_of_m_converter_8() { return &___m_converter_8; } inline void set_m_converter_8(RuntimeObject* value) { ___m_converter_8 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_converter_8), (void*)value); } inline static int32_t get_offset_of_m_fullTypeName_9() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_fullTypeName_9)); } inline String_t* get_m_fullTypeName_9() const { return ___m_fullTypeName_9; } inline String_t** get_address_of_m_fullTypeName_9() { return &___m_fullTypeName_9; } inline void set_m_fullTypeName_9(String_t* value) { ___m_fullTypeName_9 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_fullTypeName_9), (void*)value); } inline static int32_t get_offset_of_m_assemName_10() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___m_assemName_10)); } inline String_t* get_m_assemName_10() const { return ___m_assemName_10; } inline String_t** get_address_of_m_assemName_10() { return &___m_assemName_10; } inline void set_m_assemName_10(String_t* value) { ___m_assemName_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_assemName_10), (void*)value); } inline static int32_t get_offset_of_objectType_11() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___objectType_11)); } inline Type_t * get_objectType_11() const { return ___objectType_11; } inline Type_t ** get_address_of_objectType_11() { return &___objectType_11; } inline void set_objectType_11(Type_t * value) { ___objectType_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___objectType_11), (void*)value); } inline static int32_t get_offset_of_isFullTypeNameSetExplicit_12() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isFullTypeNameSetExplicit_12)); } inline bool get_isFullTypeNameSetExplicit_12() const { return ___isFullTypeNameSetExplicit_12; } inline bool* get_address_of_isFullTypeNameSetExplicit_12() { return &___isFullTypeNameSetExplicit_12; } inline void set_isFullTypeNameSetExplicit_12(bool value) { ___isFullTypeNameSetExplicit_12 = value; } inline static int32_t get_offset_of_isAssemblyNameSetExplicit_13() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___isAssemblyNameSetExplicit_13)); } inline bool get_isAssemblyNameSetExplicit_13() const { return ___isAssemblyNameSetExplicit_13; } inline bool* get_address_of_isAssemblyNameSetExplicit_13() { return &___isAssemblyNameSetExplicit_13; } inline void set_isAssemblyNameSetExplicit_13(bool value) { ___isAssemblyNameSetExplicit_13 = value; } inline static int32_t get_offset_of_requireSameTokenInPartialTrust_14() { return static_cast<int32_t>(offsetof(SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26, ___requireSameTokenInPartialTrust_14)); } inline bool get_requireSameTokenInPartialTrust_14() const { return ___requireSameTokenInPartialTrust_14; } inline bool* get_address_of_requireSameTokenInPartialTrust_14() { return &___requireSameTokenInPartialTrust_14; } inline void set_requireSameTokenInPartialTrust_14(bool value) { ___requireSameTokenInPartialTrust_14 = value; } }; // System.String struct String_t : public RuntimeObject { public: // System.Int32 System.String::m_stringLength int32_t ___m_stringLength_0; // System.Char System.String::m_firstChar Il2CppChar ___m_firstChar_1; public: inline static int32_t get_offset_of_m_stringLength_0() { return static_cast<int32_t>(offsetof(String_t, ___m_stringLength_0)); } inline int32_t get_m_stringLength_0() const { return ___m_stringLength_0; } inline int32_t* get_address_of_m_stringLength_0() { return &___m_stringLength_0; } inline void set_m_stringLength_0(int32_t value) { ___m_stringLength_0 = value; } inline static int32_t get_offset_of_m_firstChar_1() { return static_cast<int32_t>(offsetof(String_t, ___m_firstChar_1)); } inline Il2CppChar get_m_firstChar_1() const { return ___m_firstChar_1; } inline Il2CppChar* get_address_of_m_firstChar_1() { return &___m_firstChar_1; } inline void set_m_firstChar_1(Il2CppChar value) { ___m_firstChar_1 = value; } }; struct String_t_StaticFields { public: // System.String System.String::Empty String_t* ___Empty_5; public: inline static int32_t get_offset_of_Empty_5() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___Empty_5)); } inline String_t* get_Empty_5() const { return ___Empty_5; } inline String_t** get_address_of_Empty_5() { return &___Empty_5; } inline void set_Empty_5(String_t* value) { ___Empty_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___Empty_5), (void*)value); } }; // System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject { public: public: }; // Native definition for P/Invoke marshalling of System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_pinvoke { }; // Native definition for COM marshalling of System.ValueType struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_com { }; // System.Boolean struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C { public: // System.Boolean System.Boolean::m_value bool ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C, ___m_value_0)); } inline bool get_m_value_0() const { return ___m_value_0; } inline bool* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(bool value) { ___m_value_0 = value; } }; struct Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields { public: // System.String System.Boolean::TrueString String_t* ___TrueString_5; // System.String System.Boolean::FalseString String_t* ___FalseString_6; public: inline static int32_t get_offset_of_TrueString_5() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___TrueString_5)); } inline String_t* get_TrueString_5() const { return ___TrueString_5; } inline String_t** get_address_of_TrueString_5() { return &___TrueString_5; } inline void set_TrueString_5(String_t* value) { ___TrueString_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___TrueString_5), (void*)value); } inline static int32_t get_offset_of_FalseString_6() { return static_cast<int32_t>(offsetof(Boolean_tB53F6830F670160873277339AA58F15CAED4399C_StaticFields, ___FalseString_6)); } inline String_t* get_FalseString_6() const { return ___FalseString_6; } inline String_t** get_address_of_FalseString_6() { return &___FalseString_6; } inline void set_FalseString_6(String_t* value) { ___FalseString_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___FalseString_6), (void*)value); } }; // System.Byte struct Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07 { public: // System.Byte System.Byte::m_value uint8_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07, ___m_value_0)); } inline uint8_t get_m_value_0() const { return ___m_value_0; } inline uint8_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint8_t value) { ___m_value_0 = value; } }; // System.Char struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9 { public: // System.Char System.Char::m_value Il2CppChar ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9, ___m_value_0)); } inline Il2CppChar get_m_value_0() const { return ___m_value_0; } inline Il2CppChar* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(Il2CppChar value) { ___m_value_0 = value; } }; struct Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields { public: // System.Byte[] System.Char::categoryForLatin1 ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___categoryForLatin1_3; public: inline static int32_t get_offset_of_categoryForLatin1_3() { return static_cast<int32_t>(offsetof(Char_tBF22D9FC341BE970735250BB6FF1A4A92BBA58B9_StaticFields, ___categoryForLatin1_3)); } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* get_categoryForLatin1_3() const { return ___categoryForLatin1_3; } inline ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821** get_address_of_categoryForLatin1_3() { return &___categoryForLatin1_3; } inline void set_categoryForLatin1_3(ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* value) { ___categoryForLatin1_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___categoryForLatin1_3), (void*)value); } }; // System.Collections.Generic.ByteEqualityComparer struct ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B : public EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 { public: public: }; // System.Collections.Generic.GenericComparer`1<System.Byte> struct GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E : public Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 { public: public: }; // System.Collections.Generic.GenericComparer`1<System.Int32> struct GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E : public Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 { public: public: }; // System.Collections.Generic.GenericComparer`1<System.Object> struct GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D : public Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 { public: public: }; // System.Collections.Generic.GenericComparer`1<System.UInt64> struct GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 : public Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Boolean> struct GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 : public EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Byte> struct GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 : public EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Char> struct GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 : public EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Guid> struct GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 : public EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Int32> struct GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 : public EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Object> struct GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 : public EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.Single> struct GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 : public EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<System.UInt64> struct GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 : public EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock> struct GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 : public EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation> struct GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 : public EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState> struct GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 : public EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2> struct GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F : public EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3> struct GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 : public EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D { public: public: }; // System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4> struct GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 : public EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA { public: public: }; // System.Collections.Generic.HashSet`1_Enumerator<System.Object> struct Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 { public: // System.Collections.Generic.HashSet`1<T> System.Collections.Generic.HashSet`1_Enumerator::_set HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * ____set_0; // System.Int32 System.Collections.Generic.HashSet`1_Enumerator::_index int32_t ____index_1; // System.Int32 System.Collections.Generic.HashSet`1_Enumerator::_version int32_t ____version_2; // T System.Collections.Generic.HashSet`1_Enumerator::_current RuntimeObject * ____current_3; public: inline static int32_t get_offset_of__set_0() { return static_cast<int32_t>(offsetof(Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019, ____set_0)); } inline HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * get__set_0() const { return ____set_0; } inline HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E ** get_address_of__set_0() { return &____set_0; } inline void set__set_0(HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * value) { ____set_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____set_0), (void*)value); } inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019, ____index_1)); } inline int32_t get__index_1() const { return ____index_1; } inline int32_t* get_address_of__index_1() { return &____index_1; } inline void set__index_1(int32_t value) { ____index_1 = value; } inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of__current_3() { return static_cast<int32_t>(offsetof(Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019, ____current_3)); } inline RuntimeObject * get__current_3() const { return ____current_3; } inline RuntimeObject ** get_address_of__current_3() { return &____current_3; } inline void set__current_3(RuntimeObject * value) { ____current_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____current_3), (void*)value); } }; // System.Collections.Generic.HashSet`1_Slot<System.Object> struct Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 { public: // System.Int32 System.Collections.Generic.HashSet`1_Slot::hashCode int32_t ___hashCode_0; // System.Int32 System.Collections.Generic.HashSet`1_Slot::next int32_t ___next_1; // T System.Collections.Generic.HashSet`1_Slot::value RuntimeObject * ___value_2; public: inline static int32_t get_offset_of_hashCode_0() { return static_cast<int32_t>(offsetof(Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279, ___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(Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279, ___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_value_2() { return static_cast<int32_t>(offsetof(Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279, ___value_2)); } inline RuntimeObject * get_value_2() const { return ___value_2; } inline RuntimeObject ** get_address_of_value_2() { return &___value_2; } inline void set_value_2(RuntimeObject * value) { ___value_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_2), (void*)value); } }; // System.Collections.Generic.InternalStringComparer struct InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD : public EqualityComparer_1_tBEFFC6F649A17852373A084880D57CB299084137 { public: public: }; // System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32> struct KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 { public: // TKey System.Collections.Generic.KeyValuePair`2::key int32_t ___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_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809, ___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_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809, ___value_1)); } inline int32_t get_value_1() const { return ___value_1; } inline int32_t* get_address_of_value_1() { return &___value_1; } inline void set_value_1(int32_t value) { ___value_1 = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object> struct KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 { 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_tB49DA8C7F6817D87925F65955E8E1190BE76D367, ___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_tB49DA8C7F6817D87925F65955E8E1190BE76D367, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.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((void**)(&___key_0), (void*)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; } }; // 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((void**)(&___key_0), (void*)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((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object> struct KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 { public: // TKey System.Collections.Generic.KeyValuePair`2::key uint64_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_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4, ___key_0)); } inline uint64_t get_key_0() const { return ___key_0; } inline uint64_t* get_address_of_key_0() { return &___key_0; } inline void set_key_0(uint64_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.LinkedList`1_Enumerator<System.Object> struct Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 { public: // System.Collections.Generic.LinkedList`1<T> System.Collections.Generic.LinkedList`1_Enumerator::_list LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ____list_0; // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1_Enumerator::_node LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ____node_1; // System.Int32 System.Collections.Generic.LinkedList`1_Enumerator::_version int32_t ____version_2; // T System.Collections.Generic.LinkedList`1_Enumerator::_current RuntimeObject * ____current_3; // System.Int32 System.Collections.Generic.LinkedList`1_Enumerator::_index int32_t ____index_4; public: inline static int32_t get_offset_of__list_0() { return static_cast<int32_t>(offsetof(Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483, ____list_0)); } inline LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * get__list_0() const { return ____list_0; } inline LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 ** get_address_of__list_0() { return &____list_0; } inline void set__list_0(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * value) { ____list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&____list_0), (void*)value); } inline static int32_t get_offset_of__node_1() { return static_cast<int32_t>(offsetof(Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483, ____node_1)); } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * get__node_1() const { return ____node_1; } inline LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 ** get_address_of__node_1() { return &____node_1; } inline void set__node_1(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * value) { ____node_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____node_1), (void*)value); } inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483, ____version_2)); } inline int32_t get__version_2() const { return ____version_2; } inline int32_t* get_address_of__version_2() { return &____version_2; } inline void set__version_2(int32_t value) { ____version_2 = value; } inline static int32_t get_offset_of__current_3() { return static_cast<int32_t>(offsetof(Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483, ____current_3)); } inline RuntimeObject * get__current_3() const { return ____current_3; } inline RuntimeObject ** get_address_of__current_3() { return &____current_3; } inline void set__current_3(RuntimeObject * value) { ____current_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____current_3), (void*)value); } inline static int32_t get_offset_of__index_4() { return static_cast<int32_t>(offsetof(Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483, ____index_4)); } inline int32_t get__index_4() const { return ____index_4; } inline int32_t* get_address_of__index_4() { return &____index_4; } inline void set__index_4(int32_t value) { ____index_4 = value; } }; // System.Collections.Generic.List`1_Enumerator<System.Byte> struct Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current uint8_t ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA, ___list_0)); } inline List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * get_list_0() const { return ___list_0; } inline List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA, ___current_3)); } inline uint8_t get_current_3() const { return ___current_3; } inline uint8_t* get_address_of_current_3() { return &___current_3; } inline void set_current_3(uint8_t value) { ___current_3 = value; } }; // System.Collections.Generic.List`1_Enumerator<System.Int32> struct Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current int32_t ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2, ___list_0)); } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * get_list_0() const { return ___list_0; } inline List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2, ___current_3)); } inline int32_t get_current_3() const { return ___current_3; } inline int32_t* get_address_of_current_3() { return &___current_3; } inline void set_current_3(int32_t value) { ___current_3 = value; } }; // System.Collections.Generic.List`1_Enumerator<System.Object> struct Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current RuntimeObject * ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD, ___list_0)); } inline List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * get_list_0() const { return ___list_0; } inline List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD, ___current_3)); } inline RuntimeObject * get_current_3() const { return ___current_3; } inline RuntimeObject ** get_address_of_current_3() { return &___current_3; } inline void set_current_3(RuntimeObject * value) { ___current_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___current_3), (void*)value); } }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo> struct ObjectEqualityComparer_1_t3D9D79B1E0AF0CA505449C6D90B8FCE68D1FB0E6 : public EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Guid> struct ObjectEqualityComparer_1_t63F49A3AB85A6A54BC975B84E460C6A7FA734EBF : public EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Int32> struct ObjectEqualityComparer_1_t117904942E956E4CD5825EF603C2B7D12268CDCD : public EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Int32Enum> struct ObjectEqualityComparer_1_tFD2C31148243BD367E1CDE9EF942038E39B56B33 : public EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Object> struct ObjectEqualityComparer_1_tD50026691EE506871EB25F1299E6D5B3974E2928 : public EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Resources.ResourceLocator> struct ObjectEqualityComparer_1_tB1EFF066EC079BC7D4451859E4E0AB0071B1F372 : public EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.Single> struct ObjectEqualityComparer_1_tFCE83B174E6862555A25BD4FB16632EC9F6A5AC2 : public EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<System.UInt64> struct ObjectEqualityComparer_1_t7C8C1B3E211ADBC7253B79BA61F303DECA68E045 : public EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock> struct ObjectEqualityComparer_1_t3050D316B73ABACCBDA5E0AA73D5D4498BF040A9 : public EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.Color32> struct ObjectEqualityComparer_1_t64DC60BCBC7C7BF32193C8B0D60614A00C4E1435 : public EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.EventSystems.RaycastResult> struct ObjectEqualityComparer_1_t0BC5E9777D652F38FEF7F0F0D8AAEA74E8F959BF : public EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UI.ColorBlock> struct ObjectEqualityComparer_1_tB5BFFDB9EAFB9FEAAA84EDD21CFD947FC1C5A095 : public EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UI.Navigation> struct ObjectEqualityComparer_1_t232707B52993002BCF4F9CD86A3490E5CE2FB365 : public EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UI.SpriteState> struct ObjectEqualityComparer_1_t2FCEBB7F8CF8AAAE10CAC86A0D6402583C12A8BF : public EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UICharInfo> struct ObjectEqualityComparer_1_tB144D63B7B88E9C13D2B7538B9342E5CD39CC52F : public EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UILineInfo> struct ObjectEqualityComparer_1_t5C085441C03A1A3205DBF735F8B303E9F42F83AA : public EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UIVertex> struct ObjectEqualityComparer_1_t44040CDA42D5EFF409A77155FC0A04D7DF9ABC36 : public EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest> struct ObjectEqualityComparer_1_t5EC219A01136E8ED50105145488501B4DC5FF637 : public EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.Vector2> struct ObjectEqualityComparer_1_t17A13BE2938FD8C9096AE222EFF67BE87A6AC183 : public EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.Vector3> struct ObjectEqualityComparer_1_tB5EB64014B944719BED043294D9A58C0BBBF7869 : public EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D { public: public: }; // System.Collections.Generic.ObjectEqualityComparer`1<UnityEngine.Vector4> struct ObjectEqualityComparer_1_t10273D1F45DD715084B57465B5B74B74AE9E55B2 : public EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA { public: public: }; // System.DateTime struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 { public: // System.UInt64 System.DateTime::dateData uint64_t ___dateData_44; public: inline static int32_t get_offset_of_dateData_44() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132, ___dateData_44)); } inline uint64_t get_dateData_44() const { return ___dateData_44; } inline uint64_t* get_address_of_dateData_44() { return &___dateData_44; } inline void set_dateData_44(uint64_t value) { ___dateData_44 = value; } }; struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields { public: // System.Int32[] System.DateTime::DaysToMonth365 Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth365_29; // System.Int32[] System.DateTime::DaysToMonth366 Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth366_30; // System.DateTime System.DateTime::MinValue DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MinValue_31; // System.DateTime System.DateTime::MaxValue DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MaxValue_32; public: inline static int32_t get_offset_of_DaysToMonth365_29() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth365_29)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth365_29() const { return ___DaysToMonth365_29; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth365_29() { return &___DaysToMonth365_29; } inline void set_DaysToMonth365_29(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___DaysToMonth365_29 = value; Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth365_29), (void*)value); } inline static int32_t get_offset_of_DaysToMonth366_30() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth366_30)); } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth366_30() const { return ___DaysToMonth366_30; } inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth366_30() { return &___DaysToMonth366_30; } inline void set_DaysToMonth366_30(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value) { ___DaysToMonth366_30 = value; Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth366_30), (void*)value); } inline static int32_t get_offset_of_MinValue_31() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MinValue_31)); } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MinValue_31() const { return ___MinValue_31; } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MinValue_31() { return &___MinValue_31; } inline void set_MinValue_31(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value) { ___MinValue_31 = value; } inline static int32_t get_offset_of_MaxValue_32() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MaxValue_32)); } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MaxValue_32() const { return ___MaxValue_32; } inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MaxValue_32() { return &___MaxValue_32; } inline void set_MaxValue_32(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value) { ___MaxValue_32 = value; } }; // System.Diagnostics.Tracing.EventProvider_SessionInfo struct SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A { public: // System.Int32 System.Diagnostics.Tracing.EventProvider_SessionInfo::sessionIdBit int32_t ___sessionIdBit_0; // System.Int32 System.Diagnostics.Tracing.EventProvider_SessionInfo::etwSessionId int32_t ___etwSessionId_1; public: inline static int32_t get_offset_of_sessionIdBit_0() { return static_cast<int32_t>(offsetof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A, ___sessionIdBit_0)); } inline int32_t get_sessionIdBit_0() const { return ___sessionIdBit_0; } inline int32_t* get_address_of_sessionIdBit_0() { return &___sessionIdBit_0; } inline void set_sessionIdBit_0(int32_t value) { ___sessionIdBit_0 = value; } inline static int32_t get_offset_of_etwSessionId_1() { return static_cast<int32_t>(offsetof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A, ___etwSessionId_1)); } inline int32_t get_etwSessionId_1() const { return ___etwSessionId_1; } inline int32_t* get_address_of_etwSessionId_1() { return &___etwSessionId_1; } inline void set_etwSessionId_1(int32_t value) { ___etwSessionId_1 = value; } }; // System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 : public ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF { public: public: }; struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields { public: // System.Char[] System.Enum::enumSeperatorCharArray CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___enumSeperatorCharArray_0; public: inline static int32_t get_offset_of_enumSeperatorCharArray_0() { return static_cast<int32_t>(offsetof(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields, ___enumSeperatorCharArray_0)); } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_enumSeperatorCharArray_0() const { return ___enumSeperatorCharArray_0; } inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_enumSeperatorCharArray_0() { return &___enumSeperatorCharArray_0; } inline void set_enumSeperatorCharArray_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value) { ___enumSeperatorCharArray_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___enumSeperatorCharArray_0), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_pinvoke { }; // Native definition for COM marshalling of System.Enum struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_com { }; // System.Guid struct Guid_t { public: // System.Int32 System.Guid::_a int32_t ____a_1; // System.Int16 System.Guid::_b int16_t ____b_2; // System.Int16 System.Guid::_c int16_t ____c_3; // System.Byte System.Guid::_d uint8_t ____d_4; // System.Byte System.Guid::_e uint8_t ____e_5; // System.Byte System.Guid::_f uint8_t ____f_6; // System.Byte System.Guid::_g uint8_t ____g_7; // System.Byte System.Guid::_h uint8_t ____h_8; // System.Byte System.Guid::_i uint8_t ____i_9; // System.Byte System.Guid::_j uint8_t ____j_10; // System.Byte System.Guid::_k uint8_t ____k_11; public: inline static int32_t get_offset_of__a_1() { return static_cast<int32_t>(offsetof(Guid_t, ____a_1)); } inline int32_t get__a_1() const { return ____a_1; } inline int32_t* get_address_of__a_1() { return &____a_1; } inline void set__a_1(int32_t value) { ____a_1 = value; } inline static int32_t get_offset_of__b_2() { return static_cast<int32_t>(offsetof(Guid_t, ____b_2)); } inline int16_t get__b_2() const { return ____b_2; } inline int16_t* get_address_of__b_2() { return &____b_2; } inline void set__b_2(int16_t value) { ____b_2 = value; } inline static int32_t get_offset_of__c_3() { return static_cast<int32_t>(offsetof(Guid_t, ____c_3)); } inline int16_t get__c_3() const { return ____c_3; } inline int16_t* get_address_of__c_3() { return &____c_3; } inline void set__c_3(int16_t value) { ____c_3 = value; } inline static int32_t get_offset_of__d_4() { return static_cast<int32_t>(offsetof(Guid_t, ____d_4)); } inline uint8_t get__d_4() const { return ____d_4; } inline uint8_t* get_address_of__d_4() { return &____d_4; } inline void set__d_4(uint8_t value) { ____d_4 = value; } inline static int32_t get_offset_of__e_5() { return static_cast<int32_t>(offsetof(Guid_t, ____e_5)); } inline uint8_t get__e_5() const { return ____e_5; } inline uint8_t* get_address_of__e_5() { return &____e_5; } inline void set__e_5(uint8_t value) { ____e_5 = value; } inline static int32_t get_offset_of__f_6() { return static_cast<int32_t>(offsetof(Guid_t, ____f_6)); } inline uint8_t get__f_6() const { return ____f_6; } inline uint8_t* get_address_of__f_6() { return &____f_6; } inline void set__f_6(uint8_t value) { ____f_6 = value; } inline static int32_t get_offset_of__g_7() { return static_cast<int32_t>(offsetof(Guid_t, ____g_7)); } inline uint8_t get__g_7() const { return ____g_7; } inline uint8_t* get_address_of__g_7() { return &____g_7; } inline void set__g_7(uint8_t value) { ____g_7 = value; } inline static int32_t get_offset_of__h_8() { return static_cast<int32_t>(offsetof(Guid_t, ____h_8)); } inline uint8_t get__h_8() const { return ____h_8; } inline uint8_t* get_address_of__h_8() { return &____h_8; } inline void set__h_8(uint8_t value) { ____h_8 = value; } inline static int32_t get_offset_of__i_9() { return static_cast<int32_t>(offsetof(Guid_t, ____i_9)); } inline uint8_t get__i_9() const { return ____i_9; } inline uint8_t* get_address_of__i_9() { return &____i_9; } inline void set__i_9(uint8_t value) { ____i_9 = value; } inline static int32_t get_offset_of__j_10() { return static_cast<int32_t>(offsetof(Guid_t, ____j_10)); } inline uint8_t get__j_10() const { return ____j_10; } inline uint8_t* get_address_of__j_10() { return &____j_10; } inline void set__j_10(uint8_t value) { ____j_10 = value; } inline static int32_t get_offset_of__k_11() { return static_cast<int32_t>(offsetof(Guid_t, ____k_11)); } inline uint8_t get__k_11() const { return ____k_11; } inline uint8_t* get_address_of__k_11() { return &____k_11; } inline void set__k_11(uint8_t value) { ____k_11 = value; } }; struct Guid_t_StaticFields { public: // System.Guid System.Guid::Empty Guid_t ___Empty_0; // System.Object System.Guid::_rngAccess RuntimeObject * ____rngAccess_12; // System.Security.Cryptography.RandomNumberGenerator System.Guid::_rng RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * ____rng_13; public: inline static int32_t get_offset_of_Empty_0() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ___Empty_0)); } inline Guid_t get_Empty_0() const { return ___Empty_0; } inline Guid_t * get_address_of_Empty_0() { return &___Empty_0; } inline void set_Empty_0(Guid_t value) { ___Empty_0 = value; } inline static int32_t get_offset_of__rngAccess_12() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rngAccess_12)); } inline RuntimeObject * get__rngAccess_12() const { return ____rngAccess_12; } inline RuntimeObject ** get_address_of__rngAccess_12() { return &____rngAccess_12; } inline void set__rngAccess_12(RuntimeObject * value) { ____rngAccess_12 = value; Il2CppCodeGenWriteBarrier((void**)(&____rngAccess_12), (void*)value); } inline static int32_t get_offset_of__rng_13() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rng_13)); } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * get__rng_13() const { return ____rng_13; } inline RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 ** get_address_of__rng_13() { return &____rng_13; } inline void set__rng_13(RandomNumberGenerator_t12277F7F965BA79C54E4B3BFABD27A5FFB725EE2 * value) { ____rng_13 = value; Il2CppCodeGenWriteBarrier((void**)(&____rng_13), (void*)value); } }; // System.Int32 struct Int32_t585191389E07734F19F3156FF88FB3EF4800D102 { public: // System.Int32 System.Int32::m_value int32_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int32_t585191389E07734F19F3156FF88FB3EF4800D102, ___m_value_0)); } inline int32_t get_m_value_0() const { return ___m_value_0; } inline int32_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(int32_t value) { ___m_value_0 = value; } }; // System.IntPtr struct IntPtr_t { public: // System.Void* System.IntPtr::m_value void* ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); } inline void* get_m_value_0() const { return ___m_value_0; } inline void** get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(void* value) { ___m_value_0 = value; } }; struct IntPtr_t_StaticFields { public: // System.IntPtr System.IntPtr::Zero intptr_t ___Zero_1; public: inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); } inline intptr_t get_Zero_1() const { return ___Zero_1; } inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; } inline void set_Zero_1(intptr_t value) { ___Zero_1 = value; } }; // System.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((void**)(&____value_0), (void*)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; } }; // 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; }; // System.Single struct Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1 { public: // System.Single System.Single::m_value float ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Single_tDDDA9169C4E4E308AC6D7A824F9B28DC82204AE1, ___m_value_0)); } inline float get_m_value_0() const { return ___m_value_0; } inline float* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(float value) { ___m_value_0 = value; } }; // System.UInt64 struct UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E { public: // System.UInt64 System.UInt64::m_value uint64_t ___m_value_0; public: inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt64_tA02DF3B59C8FC4A849BD207DA11038CC64E4CB4E, ___m_value_0)); } inline uint64_t get_m_value_0() const { return ___m_value_0; } inline uint64_t* get_address_of_m_value_0() { return &___m_value_0; } inline void set_m_value_0(uint64_t value) { ___m_value_0 = value; } }; // System.Void struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017 { public: union { struct { }; uint8_t Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017__padding[1]; }; public: }; // 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((void**)(&___callback_1), (void*)value); } }; // 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; }; // UnityEngine.Color struct Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 { public: // System.Single UnityEngine.Color::r float ___r_0; // System.Single UnityEngine.Color::g float ___g_1; // System.Single UnityEngine.Color::b float ___b_2; // System.Single UnityEngine.Color::a float ___a_3; public: inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___r_0)); } inline float get_r_0() const { return ___r_0; } inline float* get_address_of_r_0() { return &___r_0; } inline void set_r_0(float value) { ___r_0 = value; } inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___g_1)); } inline float get_g_1() const { return ___g_1; } inline float* get_address_of_g_1() { return &___g_1; } inline void set_g_1(float value) { ___g_1 = value; } inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___b_2)); } inline float get_b_2() const { return ___b_2; } inline float* get_address_of_b_2() { return &___b_2; } inline void set_b_2(float value) { ___b_2 = value; } inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___a_3)); } inline float get_a_3() const { return ___a_3; } inline float* get_address_of_a_3() { return &___a_3; } inline void set_a_3(float value) { ___a_3 = value; } }; // UnityEngine.Color32 struct Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 { public: union { #pragma pack(push, tp, 1) struct { // System.Int32 UnityEngine.Color32::rgba int32_t ___rgba_0; }; #pragma pack(pop, tp) struct { int32_t ___rgba_0_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { // System.Byte UnityEngine.Color32::r uint8_t ___r_1; }; #pragma pack(pop, tp) struct { uint8_t ___r_1_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___g_2_OffsetPadding[1]; // System.Byte UnityEngine.Color32::g uint8_t ___g_2; }; #pragma pack(pop, tp) struct { char ___g_2_OffsetPadding_forAlignmentOnly[1]; uint8_t ___g_2_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___b_3_OffsetPadding[2]; // System.Byte UnityEngine.Color32::b uint8_t ___b_3; }; #pragma pack(pop, tp) struct { char ___b_3_OffsetPadding_forAlignmentOnly[2]; uint8_t ___b_3_forAlignmentOnly; }; #pragma pack(push, tp, 1) struct { char ___a_4_OffsetPadding[3]; // System.Byte UnityEngine.Color32::a uint8_t ___a_4; }; #pragma pack(pop, tp) struct { char ___a_4_OffsetPadding_forAlignmentOnly[3]; uint8_t ___a_4_forAlignmentOnly; }; }; public: inline static int32_t get_offset_of_rgba_0() { return static_cast<int32_t>(offsetof(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23, ___rgba_0)); } inline int32_t get_rgba_0() const { return ___rgba_0; } inline int32_t* get_address_of_rgba_0() { return &___rgba_0; } inline void set_rgba_0(int32_t value) { ___rgba_0 = value; } inline static int32_t get_offset_of_r_1() { return static_cast<int32_t>(offsetof(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23, ___r_1)); } inline uint8_t get_r_1() const { return ___r_1; } inline uint8_t* get_address_of_r_1() { return &___r_1; } inline void set_r_1(uint8_t value) { ___r_1 = value; } inline static int32_t get_offset_of_g_2() { return static_cast<int32_t>(offsetof(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23, ___g_2)); } inline uint8_t get_g_2() const { return ___g_2; } inline uint8_t* get_address_of_g_2() { return &___g_2; } inline void set_g_2(uint8_t value) { ___g_2 = value; } inline static int32_t get_offset_of_b_3() { return static_cast<int32_t>(offsetof(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23, ___b_3)); } inline uint8_t get_b_3() const { return ___b_3; } inline uint8_t* get_address_of_b_3() { return &___b_3; } inline void set_b_3(uint8_t value) { ___b_3 = value; } inline static int32_t get_offset_of_a_4() { return static_cast<int32_t>(offsetof(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23, ___a_4)); } inline uint8_t get_a_4() const { return ___a_4; } inline uint8_t* get_address_of_a_4() { return &___a_4; } inline void set_a_4(uint8_t value) { ___a_4 = value; } }; // UnityEngine.UI.SpriteState struct SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A { public: // UnityEngine.Sprite UnityEngine.UI.SpriteState::m_HighlightedSprite Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_HighlightedSprite_0; // UnityEngine.Sprite UnityEngine.UI.SpriteState::m_PressedSprite Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_PressedSprite_1; // UnityEngine.Sprite UnityEngine.UI.SpriteState::m_SelectedSprite Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_SelectedSprite_2; // UnityEngine.Sprite UnityEngine.UI.SpriteState::m_DisabledSprite Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_DisabledSprite_3; public: inline static int32_t get_offset_of_m_HighlightedSprite_0() { return static_cast<int32_t>(offsetof(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A, ___m_HighlightedSprite_0)); } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * get_m_HighlightedSprite_0() const { return ___m_HighlightedSprite_0; } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 ** get_address_of_m_HighlightedSprite_0() { return &___m_HighlightedSprite_0; } inline void set_m_HighlightedSprite_0(Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * value) { ___m_HighlightedSprite_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_HighlightedSprite_0), (void*)value); } inline static int32_t get_offset_of_m_PressedSprite_1() { return static_cast<int32_t>(offsetof(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A, ___m_PressedSprite_1)); } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * get_m_PressedSprite_1() const { return ___m_PressedSprite_1; } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 ** get_address_of_m_PressedSprite_1() { return &___m_PressedSprite_1; } inline void set_m_PressedSprite_1(Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * value) { ___m_PressedSprite_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_PressedSprite_1), (void*)value); } inline static int32_t get_offset_of_m_SelectedSprite_2() { return static_cast<int32_t>(offsetof(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A, ___m_SelectedSprite_2)); } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * get_m_SelectedSprite_2() const { return ___m_SelectedSprite_2; } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 ** get_address_of_m_SelectedSprite_2() { return &___m_SelectedSprite_2; } inline void set_m_SelectedSprite_2(Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * value) { ___m_SelectedSprite_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SelectedSprite_2), (void*)value); } inline static int32_t get_offset_of_m_DisabledSprite_3() { return static_cast<int32_t>(offsetof(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A, ___m_DisabledSprite_3)); } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * get_m_DisabledSprite_3() const { return ___m_DisabledSprite_3; } inline Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 ** get_address_of_m_DisabledSprite_3() { return &___m_DisabledSprite_3; } inline void set_m_DisabledSprite_3(Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * value) { ___m_DisabledSprite_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_DisabledSprite_3), (void*)value); } }; // Native definition for P/Invoke marshalling of UnityEngine.UI.SpriteState struct SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A_marshaled_pinvoke { Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_HighlightedSprite_0; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_PressedSprite_1; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_SelectedSprite_2; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_DisabledSprite_3; }; // Native definition for COM marshalling of UnityEngine.UI.SpriteState struct SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A_marshaled_com { Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_HighlightedSprite_0; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_PressedSprite_1; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_SelectedSprite_2; Sprite_tCA09498D612D08DE668653AF1E9C12BF53434198 * ___m_DisabledSprite_3; }; // UnityEngine.UILineInfo struct UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 { public: // System.Int32 UnityEngine.UILineInfo::startCharIdx int32_t ___startCharIdx_0; // System.Int32 UnityEngine.UILineInfo::height int32_t ___height_1; // System.Single UnityEngine.UILineInfo::topY float ___topY_2; // System.Single UnityEngine.UILineInfo::leading float ___leading_3; public: inline static int32_t get_offset_of_startCharIdx_0() { return static_cast<int32_t>(offsetof(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6, ___startCharIdx_0)); } inline int32_t get_startCharIdx_0() const { return ___startCharIdx_0; } inline int32_t* get_address_of_startCharIdx_0() { return &___startCharIdx_0; } inline void set_startCharIdx_0(int32_t value) { ___startCharIdx_0 = value; } inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6, ___height_1)); } inline int32_t get_height_1() const { return ___height_1; } inline int32_t* get_address_of_height_1() { return &___height_1; } inline void set_height_1(int32_t value) { ___height_1 = value; } inline static int32_t get_offset_of_topY_2() { return static_cast<int32_t>(offsetof(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6, ___topY_2)); } inline float get_topY_2() const { return ___topY_2; } inline float* get_address_of_topY_2() { return &___topY_2; } inline void set_topY_2(float value) { ___topY_2 = value; } inline static int32_t get_offset_of_leading_3() { return static_cast<int32_t>(offsetof(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6, ___leading_3)); } inline float get_leading_3() const { return ___leading_3; } inline float* get_address_of_leading_3() { return &___leading_3; } inline void set_leading_3(float value) { ___leading_3 = value; } }; // 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((void**)(&___m_DelagateCallback_0), (void*)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((void**)(&___m_DelagateState_1), (void*)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((void**)(&___m_WaitHandle_2), (void*)value); } }; // 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; }; // UnityEngine.Vector2 struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D { public: // System.Single UnityEngine.Vector2::x float ___x_0; // System.Single UnityEngine.Vector2::y float ___y_1; public: inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___x_0)); } inline float get_x_0() const { return ___x_0; } inline float* get_address_of_x_0() { return &___x_0; } inline void set_x_0(float value) { ___x_0 = value; } inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___y_1)); } inline float get_y_1() const { return ___y_1; } inline float* get_address_of_y_1() { return &___y_1; } inline void set_y_1(float value) { ___y_1 = value; } }; struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields { public: // UnityEngine.Vector2 UnityEngine.Vector2::zeroVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___zeroVector_2; // UnityEngine.Vector2 UnityEngine.Vector2::oneVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___oneVector_3; // UnityEngine.Vector2 UnityEngine.Vector2::upVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___upVector_4; // UnityEngine.Vector2 UnityEngine.Vector2::downVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___downVector_5; // UnityEngine.Vector2 UnityEngine.Vector2::leftVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___leftVector_6; // UnityEngine.Vector2 UnityEngine.Vector2::rightVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rightVector_7; // UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___positiveInfinityVector_8; // UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___negativeInfinityVector_9; public: inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___zeroVector_2)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_zeroVector_2() const { return ___zeroVector_2; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_zeroVector_2() { return &___zeroVector_2; } inline void set_zeroVector_2(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___zeroVector_2 = value; } inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___oneVector_3)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_oneVector_3() const { return ___oneVector_3; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_oneVector_3() { return &___oneVector_3; } inline void set_oneVector_3(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___oneVector_3 = value; } inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___upVector_4)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_upVector_4() const { return ___upVector_4; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_upVector_4() { return &___upVector_4; } inline void set_upVector_4(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___upVector_4 = value; } inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___downVector_5)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_downVector_5() const { return ___downVector_5; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_downVector_5() { return &___downVector_5; } inline void set_downVector_5(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___downVector_5 = value; } inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___leftVector_6)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_leftVector_6() const { return ___leftVector_6; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_leftVector_6() { return &___leftVector_6; } inline void set_leftVector_6(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___leftVector_6 = value; } inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___rightVector_7)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_rightVector_7() const { return ___rightVector_7; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_rightVector_7() { return &___rightVector_7; } inline void set_rightVector_7(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___rightVector_7 = value; } inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___positiveInfinityVector_8)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; } inline void set_positiveInfinityVector_8(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___positiveInfinityVector_8 = value; } inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___negativeInfinityVector_9)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; } inline void set_negativeInfinityVector_9(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___negativeInfinityVector_9 = value; } }; // UnityEngine.Vector3 struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 { public: // System.Single UnityEngine.Vector3::x float ___x_2; // System.Single UnityEngine.Vector3::y float ___y_3; // System.Single UnityEngine.Vector3::z float ___z_4; public: inline static int32_t get_offset_of_x_2() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___x_2)); } inline float get_x_2() const { return ___x_2; } inline float* get_address_of_x_2() { return &___x_2; } inline void set_x_2(float value) { ___x_2 = value; } inline static int32_t get_offset_of_y_3() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___y_3)); } inline float get_y_3() const { return ___y_3; } inline float* get_address_of_y_3() { return &___y_3; } inline void set_y_3(float value) { ___y_3 = value; } inline static int32_t get_offset_of_z_4() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___z_4)); } inline float get_z_4() const { return ___z_4; } inline float* get_address_of_z_4() { return &___z_4; } inline void set_z_4(float value) { ___z_4 = value; } }; struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields { public: // UnityEngine.Vector3 UnityEngine.Vector3::zeroVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___zeroVector_5; // UnityEngine.Vector3 UnityEngine.Vector3::oneVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___oneVector_6; // UnityEngine.Vector3 UnityEngine.Vector3::upVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___upVector_7; // UnityEngine.Vector3 UnityEngine.Vector3::downVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___downVector_8; // UnityEngine.Vector3 UnityEngine.Vector3::leftVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___leftVector_9; // UnityEngine.Vector3 UnityEngine.Vector3::rightVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rightVector_10; // UnityEngine.Vector3 UnityEngine.Vector3::forwardVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___forwardVector_11; // UnityEngine.Vector3 UnityEngine.Vector3::backVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___backVector_12; // UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___positiveInfinityVector_13; // UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___negativeInfinityVector_14; public: inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___zeroVector_5)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_zeroVector_5() const { return ___zeroVector_5; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_zeroVector_5() { return &___zeroVector_5; } inline void set_zeroVector_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___zeroVector_5 = value; } inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___oneVector_6)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_oneVector_6() const { return ___oneVector_6; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_oneVector_6() { return &___oneVector_6; } inline void set_oneVector_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___oneVector_6 = value; } inline static int32_t get_offset_of_upVector_7() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___upVector_7)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_upVector_7() const { return ___upVector_7; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_upVector_7() { return &___upVector_7; } inline void set_upVector_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___upVector_7 = value; } inline static int32_t get_offset_of_downVector_8() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___downVector_8)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_downVector_8() const { return ___downVector_8; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_downVector_8() { return &___downVector_8; } inline void set_downVector_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___downVector_8 = value; } inline static int32_t get_offset_of_leftVector_9() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___leftVector_9)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_leftVector_9() const { return ___leftVector_9; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_leftVector_9() { return &___leftVector_9; } inline void set_leftVector_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___leftVector_9 = value; } inline static int32_t get_offset_of_rightVector_10() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___rightVector_10)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_rightVector_10() const { return ___rightVector_10; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_rightVector_10() { return &___rightVector_10; } inline void set_rightVector_10(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___rightVector_10 = value; } inline static int32_t get_offset_of_forwardVector_11() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___forwardVector_11)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_forwardVector_11() const { return ___forwardVector_11; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_forwardVector_11() { return &___forwardVector_11; } inline void set_forwardVector_11(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___forwardVector_11 = value; } inline static int32_t get_offset_of_backVector_12() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___backVector_12)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_backVector_12() const { return ___backVector_12; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_backVector_12() { return &___backVector_12; } inline void set_backVector_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___backVector_12 = value; } inline static int32_t get_offset_of_positiveInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___positiveInfinityVector_13)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_positiveInfinityVector_13() const { return ___positiveInfinityVector_13; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_positiveInfinityVector_13() { return &___positiveInfinityVector_13; } inline void set_positiveInfinityVector_13(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___positiveInfinityVector_13 = value; } inline static int32_t get_offset_of_negativeInfinityVector_14() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___negativeInfinityVector_14)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_negativeInfinityVector_14() const { return ___negativeInfinityVector_14; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_negativeInfinityVector_14() { return &___negativeInfinityVector_14; } inline void set_negativeInfinityVector_14(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___negativeInfinityVector_14 = value; } }; // UnityEngine.Vector4 struct Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E { public: // System.Single UnityEngine.Vector4::x float ___x_1; // System.Single UnityEngine.Vector4::y float ___y_2; // System.Single UnityEngine.Vector4::z float ___z_3; // System.Single UnityEngine.Vector4::w float ___w_4; public: inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___x_1)); } inline float get_x_1() const { return ___x_1; } inline float* get_address_of_x_1() { return &___x_1; } inline void set_x_1(float value) { ___x_1 = value; } inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___y_2)); } inline float get_y_2() const { return ___y_2; } inline float* get_address_of_y_2() { return &___y_2; } inline void set_y_2(float value) { ___y_2 = value; } inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___z_3)); } inline float get_z_3() const { return ___z_3; } inline float* get_address_of_z_3() { return &___z_3; } inline void set_z_3(float value) { ___z_3 = value; } inline static int32_t get_offset_of_w_4() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E, ___w_4)); } inline float get_w_4() const { return ___w_4; } inline float* get_address_of_w_4() { return &___w_4; } inline void set_w_4(float value) { ___w_4 = value; } }; struct Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields { public: // UnityEngine.Vector4 UnityEngine.Vector4::zeroVector Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___zeroVector_5; // UnityEngine.Vector4 UnityEngine.Vector4::oneVector Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___oneVector_6; // UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___positiveInfinityVector_7; // UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___negativeInfinityVector_8; public: inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___zeroVector_5)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_zeroVector_5() const { return ___zeroVector_5; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_zeroVector_5() { return &___zeroVector_5; } inline void set_zeroVector_5(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___zeroVector_5 = value; } inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___oneVector_6)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_oneVector_6() const { return ___oneVector_6; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_oneVector_6() { return &___oneVector_6; } inline void set_oneVector_6(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___oneVector_6 = value; } inline static int32_t get_offset_of_positiveInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___positiveInfinityVector_7)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_positiveInfinityVector_7() const { return ___positiveInfinityVector_7; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_positiveInfinityVector_7() { return &___positiveInfinityVector_7; } inline void set_positiveInfinityVector_7(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___positiveInfinityVector_7 = value; } inline static int32_t get_offset_of_negativeInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E_StaticFields, ___negativeInfinityVector_8)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_negativeInfinityVector_8() const { return ___negativeInfinityVector_8; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_negativeInfinityVector_8() { return &___negativeInfinityVector_8; } inline void set_negativeInfinityVector_8(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___negativeInfinityVector_8 = value; } }; // 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((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32> struct KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_t ___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_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937, ___value_1)); } inline int32_t get_value_1() const { return ___value_1; } inline int32_t* get_address_of_value_1() { return &___value_1; } inline void set_value_1(int32_t value) { ___value_1 = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object> struct KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 { public: // TKey System.Collections.Generic.KeyValuePair`2::key Guid_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_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78, ___key_0)); } inline Guid_t get_key_0() const { return ___key_0; } inline Guid_t * get_address_of_key_0() { return &___key_0; } inline void set_key_0(Guid_t value) { ___key_0 = value; } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78, ___value_1)); } inline RuntimeObject * get_value_1() const { return ___value_1; } inline RuntimeObject ** get_address_of_value_1() { return &___value_1; } inline void set_value_1(RuntimeObject * value) { ___value_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value); } }; // System.Collections.Generic.KeyValuePair`2<System.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((void**)(&___key_0), (void*)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; Il2CppCodeGenWriteBarrier((void**)&(((&___value_1))->____value_0), (void*)NULL); } }; // System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo> struct Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402, ___list_0)); } inline List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * get_list_0() const { return ___list_0; } inline List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402, ___current_3)); } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A get_current_3() const { return ___current_3; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * get_address_of_current_3() { return &___current_3; } inline void set_current_3(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { ___current_3 = value; } }; // System.Exception struct Exception_t : public RuntimeObject { public: // System.String System.Exception::_className String_t* ____className_1; // System.String System.Exception::_message String_t* ____message_2; // System.Collections.IDictionary System.Exception::_data RuntimeObject* ____data_3; // System.Exception System.Exception::_innerException Exception_t * ____innerException_4; // System.String System.Exception::_helpURL String_t* ____helpURL_5; // System.Object System.Exception::_stackTrace RuntimeObject * ____stackTrace_6; // System.String System.Exception::_stackTraceString String_t* ____stackTraceString_7; // System.String System.Exception::_remoteStackTraceString String_t* ____remoteStackTraceString_8; // System.Int32 System.Exception::_remoteStackIndex int32_t ____remoteStackIndex_9; // System.Object System.Exception::_dynamicMethods RuntimeObject * ____dynamicMethods_10; // System.Int32 System.Exception::_HResult int32_t ____HResult_11; // System.String System.Exception::_source String_t* ____source_12; // System.Runtime.Serialization.SafeSerializationManager System.Exception::_safeSerializationManager SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; // System.Diagnostics.StackTrace[] System.Exception::captured_traces StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; // System.IntPtr[] System.Exception::native_trace_ips IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* ___native_trace_ips_15; public: inline static int32_t get_offset_of__className_1() { return static_cast<int32_t>(offsetof(Exception_t, ____className_1)); } inline String_t* get__className_1() const { return ____className_1; } inline String_t** get_address_of__className_1() { return &____className_1; } inline void set__className_1(String_t* value) { ____className_1 = value; Il2CppCodeGenWriteBarrier((void**)(&____className_1), (void*)value); } inline static int32_t get_offset_of__message_2() { return static_cast<int32_t>(offsetof(Exception_t, ____message_2)); } inline String_t* get__message_2() const { return ____message_2; } inline String_t** get_address_of__message_2() { return &____message_2; } inline void set__message_2(String_t* value) { ____message_2 = value; Il2CppCodeGenWriteBarrier((void**)(&____message_2), (void*)value); } inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(Exception_t, ____data_3)); } inline RuntimeObject* get__data_3() const { return ____data_3; } inline RuntimeObject** get_address_of__data_3() { return &____data_3; } inline void set__data_3(RuntimeObject* value) { ____data_3 = value; Il2CppCodeGenWriteBarrier((void**)(&____data_3), (void*)value); } inline static int32_t get_offset_of__innerException_4() { return static_cast<int32_t>(offsetof(Exception_t, ____innerException_4)); } inline Exception_t * get__innerException_4() const { return ____innerException_4; } inline Exception_t ** get_address_of__innerException_4() { return &____innerException_4; } inline void set__innerException_4(Exception_t * value) { ____innerException_4 = value; Il2CppCodeGenWriteBarrier((void**)(&____innerException_4), (void*)value); } inline static int32_t get_offset_of__helpURL_5() { return static_cast<int32_t>(offsetof(Exception_t, ____helpURL_5)); } inline String_t* get__helpURL_5() const { return ____helpURL_5; } inline String_t** get_address_of__helpURL_5() { return &____helpURL_5; } inline void set__helpURL_5(String_t* value) { ____helpURL_5 = value; Il2CppCodeGenWriteBarrier((void**)(&____helpURL_5), (void*)value); } inline static int32_t get_offset_of__stackTrace_6() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTrace_6)); } inline RuntimeObject * get__stackTrace_6() const { return ____stackTrace_6; } inline RuntimeObject ** get_address_of__stackTrace_6() { return &____stackTrace_6; } inline void set__stackTrace_6(RuntimeObject * value) { ____stackTrace_6 = value; Il2CppCodeGenWriteBarrier((void**)(&____stackTrace_6), (void*)value); } inline static int32_t get_offset_of__stackTraceString_7() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTraceString_7)); } inline String_t* get__stackTraceString_7() const { return ____stackTraceString_7; } inline String_t** get_address_of__stackTraceString_7() { return &____stackTraceString_7; } inline void set__stackTraceString_7(String_t* value) { ____stackTraceString_7 = value; Il2CppCodeGenWriteBarrier((void**)(&____stackTraceString_7), (void*)value); } inline static int32_t get_offset_of__remoteStackTraceString_8() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackTraceString_8)); } inline String_t* get__remoteStackTraceString_8() const { return ____remoteStackTraceString_8; } inline String_t** get_address_of__remoteStackTraceString_8() { return &____remoteStackTraceString_8; } inline void set__remoteStackTraceString_8(String_t* value) { ____remoteStackTraceString_8 = value; Il2CppCodeGenWriteBarrier((void**)(&____remoteStackTraceString_8), (void*)value); } inline static int32_t get_offset_of__remoteStackIndex_9() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackIndex_9)); } inline int32_t get__remoteStackIndex_9() const { return ____remoteStackIndex_9; } inline int32_t* get_address_of__remoteStackIndex_9() { return &____remoteStackIndex_9; } inline void set__remoteStackIndex_9(int32_t value) { ____remoteStackIndex_9 = value; } inline static int32_t get_offset_of__dynamicMethods_10() { return static_cast<int32_t>(offsetof(Exception_t, ____dynamicMethods_10)); } inline RuntimeObject * get__dynamicMethods_10() const { return ____dynamicMethods_10; } inline RuntimeObject ** get_address_of__dynamicMethods_10() { return &____dynamicMethods_10; } inline void set__dynamicMethods_10(RuntimeObject * value) { ____dynamicMethods_10 = value; Il2CppCodeGenWriteBarrier((void**)(&____dynamicMethods_10), (void*)value); } inline static int32_t get_offset_of__HResult_11() { return static_cast<int32_t>(offsetof(Exception_t, ____HResult_11)); } inline int32_t get__HResult_11() const { return ____HResult_11; } inline int32_t* get_address_of__HResult_11() { return &____HResult_11; } inline void set__HResult_11(int32_t value) { ____HResult_11 = value; } inline static int32_t get_offset_of__source_12() { return static_cast<int32_t>(offsetof(Exception_t, ____source_12)); } inline String_t* get__source_12() const { return ____source_12; } inline String_t** get_address_of__source_12() { return &____source_12; } inline void set__source_12(String_t* value) { ____source_12 = value; Il2CppCodeGenWriteBarrier((void**)(&____source_12), (void*)value); } inline static int32_t get_offset_of__safeSerializationManager_13() { return static_cast<int32_t>(offsetof(Exception_t, ____safeSerializationManager_13)); } inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * get__safeSerializationManager_13() const { return ____safeSerializationManager_13; } inline SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 ** get_address_of__safeSerializationManager_13() { return &____safeSerializationManager_13; } inline void set__safeSerializationManager_13(SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * value) { ____safeSerializationManager_13 = value; Il2CppCodeGenWriteBarrier((void**)(&____safeSerializationManager_13), (void*)value); } inline static int32_t get_offset_of_captured_traces_14() { return static_cast<int32_t>(offsetof(Exception_t, ___captured_traces_14)); } inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* get_captured_traces_14() const { return ___captured_traces_14; } inline StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196** get_address_of_captured_traces_14() { return &___captured_traces_14; } inline void set_captured_traces_14(StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* value) { ___captured_traces_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___captured_traces_14), (void*)value); } inline static int32_t get_offset_of_native_trace_ips_15() { return static_cast<int32_t>(offsetof(Exception_t, ___native_trace_ips_15)); } inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* get_native_trace_ips_15() const { return ___native_trace_ips_15; } inline IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD** get_address_of_native_trace_ips_15() { return &___native_trace_ips_15; } inline void set_native_trace_ips_15(IntPtrU5BU5D_t4DC01DCB9A6DF6C9792A6513595D7A11E637DCDD* value) { ___native_trace_ips_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___native_trace_ips_15), (void*)value); } }; struct Exception_t_StaticFields { public: // System.Object System.Exception::s_EDILock RuntimeObject * ___s_EDILock_0; public: inline static int32_t get_offset_of_s_EDILock_0() { return static_cast<int32_t>(offsetof(Exception_t_StaticFields, ___s_EDILock_0)); } inline RuntimeObject * get_s_EDILock_0() const { return ___s_EDILock_0; } inline RuntimeObject ** get_address_of_s_EDILock_0() { return &___s_EDILock_0; } inline void set_s_EDILock_0(RuntimeObject * value) { ___s_EDILock_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_EDILock_0), (void*)value); } }; // Native definition for P/Invoke marshalling of System.Exception struct Exception_t_marshaled_pinvoke { char* ____className_1; char* ____message_2; RuntimeObject* ____data_3; Exception_t_marshaled_pinvoke* ____innerException_4; char* ____helpURL_5; Il2CppIUnknown* ____stackTrace_6; char* ____stackTraceString_7; char* ____remoteStackTraceString_8; int32_t ____remoteStackIndex_9; Il2CppIUnknown* ____dynamicMethods_10; int32_t ____HResult_11; char* ____source_12; SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; Il2CppSafeArray/*NONE*/* ___native_trace_ips_15; }; // Native definition for COM marshalling of System.Exception struct Exception_t_marshaled_com { Il2CppChar* ____className_1; Il2CppChar* ____message_2; RuntimeObject* ____data_3; Exception_t_marshaled_com* ____innerException_4; Il2CppChar* ____helpURL_5; Il2CppIUnknown* ____stackTrace_6; Il2CppChar* ____stackTraceString_7; Il2CppChar* ____remoteStackTraceString_8; int32_t ____remoteStackIndex_9; Il2CppIUnknown* ____dynamicMethods_10; int32_t ____HResult_11; Il2CppChar* ____source_12; SafeSerializationManager_t4A754D86B0F784B18CBC36C073BA564BED109770 * ____safeSerializationManager_13; StackTraceU5BU5D_t855F09649EA34DEE7C1B6F088E0538E3CCC3F196* ___captured_traces_14; Il2CppSafeArray/*NONE*/* ___native_trace_ips_15; }; // System.ExceptionResource struct ExceptionResource_t897ACCB868BF3CAAC00AB0C00D57D7A2B6C7586A { public: // System.Int32 System.ExceptionResource::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionResource_t897ACCB868BF3CAAC00AB0C00D57D7A2B6C7586A, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.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; } }; // System.Reflection.BindingFlags struct BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0 { public: // System.Int32 System.Reflection.BindingFlags::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BindingFlags_tE35C91D046E63A1B92BB9AB909FCF9DA84379ED0, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.Runtime.Serialization.StreamingContextStates struct StreamingContextStates_t6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F { public: // System.Int32 System.Runtime.Serialization.StreamingContextStates::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StreamingContextStates_t6D16CD7BC584A66A29B702F5FD59DF62BB1BDD3F, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // System.RuntimeTypeHandle struct RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D { public: // System.IntPtr System.RuntimeTypeHandle::value intptr_t ___value_0; public: inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D, ___value_0)); } inline intptr_t get_value_0() const { return ___value_0; } inline intptr_t* get_address_of_value_0() { return &___value_0; } inline void set_value_0(intptr_t value) { ___value_0 = value; } }; // System.TypeCode struct TypeCode_t03ED52F888000DAF40C550C434F29F39A23D61C6 { public: // System.Int32 System.TypeCode::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeCode_t03ED52F888000DAF40C550C434F29F39A23D61C6, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // UnityEngine.EventSystems.RaycastResult struct RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 { public: // UnityEngine.GameObject UnityEngine.EventSystems.RaycastResult::m_GameObject GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___m_GameObject_0; // UnityEngine.EventSystems.BaseRaycaster UnityEngine.EventSystems.RaycastResult::module BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 * ___module_1; // System.Single UnityEngine.EventSystems.RaycastResult::distance float ___distance_2; // System.Single UnityEngine.EventSystems.RaycastResult::index float ___index_3; // System.Int32 UnityEngine.EventSystems.RaycastResult::depth int32_t ___depth_4; // System.Int32 UnityEngine.EventSystems.RaycastResult::sortingLayer int32_t ___sortingLayer_5; // System.Int32 UnityEngine.EventSystems.RaycastResult::sortingOrder int32_t ___sortingOrder_6; // UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldPosition Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldPosition_7; // UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldNormal Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldNormal_8; // UnityEngine.Vector2 UnityEngine.EventSystems.RaycastResult::screenPosition Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___screenPosition_9; public: inline static int32_t get_offset_of_m_GameObject_0() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___m_GameObject_0)); } inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_m_GameObject_0() const { return ___m_GameObject_0; } inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_m_GameObject_0() { return &___m_GameObject_0; } inline void set_m_GameObject_0(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value) { ___m_GameObject_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_GameObject_0), (void*)value); } inline static int32_t get_offset_of_module_1() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___module_1)); } inline BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 * get_module_1() const { return ___module_1; } inline BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 ** get_address_of_module_1() { return &___module_1; } inline void set_module_1(BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 * value) { ___module_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___module_1), (void*)value); } inline static int32_t get_offset_of_distance_2() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___distance_2)); } inline float get_distance_2() const { return ___distance_2; } inline float* get_address_of_distance_2() { return &___distance_2; } inline void set_distance_2(float value) { ___distance_2 = value; } inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___index_3)); } inline float get_index_3() const { return ___index_3; } inline float* get_address_of_index_3() { return &___index_3; } inline void set_index_3(float value) { ___index_3 = value; } inline static int32_t get_offset_of_depth_4() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___depth_4)); } inline int32_t get_depth_4() const { return ___depth_4; } inline int32_t* get_address_of_depth_4() { return &___depth_4; } inline void set_depth_4(int32_t value) { ___depth_4 = value; } inline static int32_t get_offset_of_sortingLayer_5() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___sortingLayer_5)); } inline int32_t get_sortingLayer_5() const { return ___sortingLayer_5; } inline int32_t* get_address_of_sortingLayer_5() { return &___sortingLayer_5; } inline void set_sortingLayer_5(int32_t value) { ___sortingLayer_5 = value; } inline static int32_t get_offset_of_sortingOrder_6() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___sortingOrder_6)); } inline int32_t get_sortingOrder_6() const { return ___sortingOrder_6; } inline int32_t* get_address_of_sortingOrder_6() { return &___sortingOrder_6; } inline void set_sortingOrder_6(int32_t value) { ___sortingOrder_6 = value; } inline static int32_t get_offset_of_worldPosition_7() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___worldPosition_7)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_worldPosition_7() const { return ___worldPosition_7; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_worldPosition_7() { return &___worldPosition_7; } inline void set_worldPosition_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___worldPosition_7 = value; } inline static int32_t get_offset_of_worldNormal_8() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___worldNormal_8)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_worldNormal_8() const { return ___worldNormal_8; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_worldNormal_8() { return &___worldNormal_8; } inline void set_worldNormal_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___worldNormal_8 = value; } inline static int32_t get_offset_of_screenPosition_9() { return static_cast<int32_t>(offsetof(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91, ___screenPosition_9)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_screenPosition_9() const { return ___screenPosition_9; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_screenPosition_9() { return &___screenPosition_9; } inline void set_screenPosition_9(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___screenPosition_9 = value; } }; // Native definition for P/Invoke marshalling of UnityEngine.EventSystems.RaycastResult struct RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91_marshaled_pinvoke { GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___m_GameObject_0; BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 * ___module_1; float ___distance_2; float ___index_3; int32_t ___depth_4; int32_t ___sortingLayer_5; int32_t ___sortingOrder_6; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldPosition_7; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldNormal_8; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___screenPosition_9; }; // Native definition for COM marshalling of UnityEngine.EventSystems.RaycastResult struct RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91_marshaled_com { GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___m_GameObject_0; BaseRaycaster_tC7F6105A89F54A38FBFC2659901855FDBB0E3966 * ___module_1; float ___distance_2; float ___index_3; int32_t ___depth_4; int32_t ___sortingLayer_5; int32_t ___sortingOrder_6; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldPosition_7; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___worldNormal_8; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___screenPosition_9; }; // UnityEngine.UI.ColorBlock struct ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA { public: // UnityEngine.Color UnityEngine.UI.ColorBlock::m_NormalColor Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___m_NormalColor_0; // UnityEngine.Color UnityEngine.UI.ColorBlock::m_HighlightedColor Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___m_HighlightedColor_1; // UnityEngine.Color UnityEngine.UI.ColorBlock::m_PressedColor Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___m_PressedColor_2; // UnityEngine.Color UnityEngine.UI.ColorBlock::m_SelectedColor Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___m_SelectedColor_3; // UnityEngine.Color UnityEngine.UI.ColorBlock::m_DisabledColor Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___m_DisabledColor_4; // System.Single UnityEngine.UI.ColorBlock::m_ColorMultiplier float ___m_ColorMultiplier_5; // System.Single UnityEngine.UI.ColorBlock::m_FadeDuration float ___m_FadeDuration_6; public: inline static int32_t get_offset_of_m_NormalColor_0() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_NormalColor_0)); } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_m_NormalColor_0() const { return ___m_NormalColor_0; } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_m_NormalColor_0() { return &___m_NormalColor_0; } inline void set_m_NormalColor_0(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value) { ___m_NormalColor_0 = value; } inline static int32_t get_offset_of_m_HighlightedColor_1() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_HighlightedColor_1)); } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_m_HighlightedColor_1() const { return ___m_HighlightedColor_1; } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_m_HighlightedColor_1() { return &___m_HighlightedColor_1; } inline void set_m_HighlightedColor_1(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value) { ___m_HighlightedColor_1 = value; } inline static int32_t get_offset_of_m_PressedColor_2() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_PressedColor_2)); } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_m_PressedColor_2() const { return ___m_PressedColor_2; } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_m_PressedColor_2() { return &___m_PressedColor_2; } inline void set_m_PressedColor_2(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value) { ___m_PressedColor_2 = value; } inline static int32_t get_offset_of_m_SelectedColor_3() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_SelectedColor_3)); } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_m_SelectedColor_3() const { return ___m_SelectedColor_3; } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_m_SelectedColor_3() { return &___m_SelectedColor_3; } inline void set_m_SelectedColor_3(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value) { ___m_SelectedColor_3 = value; } inline static int32_t get_offset_of_m_DisabledColor_4() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_DisabledColor_4)); } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_m_DisabledColor_4() const { return ___m_DisabledColor_4; } inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_m_DisabledColor_4() { return &___m_DisabledColor_4; } inline void set_m_DisabledColor_4(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value) { ___m_DisabledColor_4 = value; } inline static int32_t get_offset_of_m_ColorMultiplier_5() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_ColorMultiplier_5)); } inline float get_m_ColorMultiplier_5() const { return ___m_ColorMultiplier_5; } inline float* get_address_of_m_ColorMultiplier_5() { return &___m_ColorMultiplier_5; } inline void set_m_ColorMultiplier_5(float value) { ___m_ColorMultiplier_5 = value; } inline static int32_t get_offset_of_m_FadeDuration_6() { return static_cast<int32_t>(offsetof(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA, ___m_FadeDuration_6)); } inline float get_m_FadeDuration_6() const { return ___m_FadeDuration_6; } inline float* get_address_of_m_FadeDuration_6() { return &___m_FadeDuration_6; } inline void set_m_FadeDuration_6(float value) { ___m_FadeDuration_6 = value; } }; // UnityEngine.UI.Navigation_Mode struct Mode_t93F92BD50B147AE38D82BA33FA77FD247A59FE26 { public: // System.Int32 UnityEngine.UI.Navigation_Mode::value__ int32_t ___value___2; public: inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Mode_t93F92BD50B147AE38D82BA33FA77FD247A59FE26, ___value___2)); } inline int32_t get_value___2() const { return ___value___2; } inline int32_t* get_address_of_value___2() { return &___value___2; } inline void set_value___2(int32_t value) { ___value___2 = value; } }; // UnityEngine.UICharInfo struct UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A { public: // UnityEngine.Vector2 UnityEngine.UICharInfo::cursorPos Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___cursorPos_0; // System.Single UnityEngine.UICharInfo::charWidth float ___charWidth_1; public: inline static int32_t get_offset_of_cursorPos_0() { return static_cast<int32_t>(offsetof(UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A, ___cursorPos_0)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_cursorPos_0() const { return ___cursorPos_0; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_cursorPos_0() { return &___cursorPos_0; } inline void set_cursorPos_0(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___cursorPos_0 = value; } inline static int32_t get_offset_of_charWidth_1() { return static_cast<int32_t>(offsetof(UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A, ___charWidth_1)); } inline float get_charWidth_1() const { return ___charWidth_1; } inline float* get_address_of_charWidth_1() { return &___charWidth_1; } inline void set_charWidth_1(float value) { ___charWidth_1 = value; } }; // UnityEngine.UIVertex struct UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 { public: // UnityEngine.Vector3 UnityEngine.UIVertex::position Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___position_0; // UnityEngine.Vector3 UnityEngine.UIVertex::normal Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___normal_1; // UnityEngine.Vector4 UnityEngine.UIVertex::tangent Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___tangent_2; // UnityEngine.Color32 UnityEngine.UIVertex::color Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 ___color_3; // UnityEngine.Vector2 UnityEngine.UIVertex::uv0 Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___uv0_4; // UnityEngine.Vector2 UnityEngine.UIVertex::uv1 Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___uv1_5; // UnityEngine.Vector2 UnityEngine.UIVertex::uv2 Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___uv2_6; // UnityEngine.Vector2 UnityEngine.UIVertex::uv3 Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___uv3_7; public: inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___position_0)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_position_0() const { return ___position_0; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_position_0() { return &___position_0; } inline void set_position_0(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___position_0 = value; } inline static int32_t get_offset_of_normal_1() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___normal_1)); } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_normal_1() const { return ___normal_1; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_normal_1() { return &___normal_1; } inline void set_normal_1(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { ___normal_1 = value; } inline static int32_t get_offset_of_tangent_2() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___tangent_2)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_tangent_2() const { return ___tangent_2; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_tangent_2() { return &___tangent_2; } inline void set_tangent_2(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___tangent_2 = value; } inline static int32_t get_offset_of_color_3() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___color_3)); } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 get_color_3() const { return ___color_3; } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 * get_address_of_color_3() { return &___color_3; } inline void set_color_3(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 value) { ___color_3 = value; } inline static int32_t get_offset_of_uv0_4() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___uv0_4)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_uv0_4() const { return ___uv0_4; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_uv0_4() { return &___uv0_4; } inline void set_uv0_4(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___uv0_4 = value; } inline static int32_t get_offset_of_uv1_5() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___uv1_5)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_uv1_5() const { return ___uv1_5; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_uv1_5() { return &___uv1_5; } inline void set_uv1_5(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___uv1_5 = value; } inline static int32_t get_offset_of_uv2_6() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___uv2_6)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_uv2_6() const { return ___uv2_6; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_uv2_6() { return &___uv2_6; } inline void set_uv2_6(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___uv2_6 = value; } inline static int32_t get_offset_of_uv3_7() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577, ___uv3_7)); } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_uv3_7() const { return ___uv3_7; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_uv3_7() { return &___uv3_7; } inline void set_uv3_7(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { ___uv3_7 = value; } }; struct UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577_StaticFields { public: // UnityEngine.Color32 UnityEngine.UIVertex::s_DefaultColor Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 ___s_DefaultColor_8; // UnityEngine.Vector4 UnityEngine.UIVertex::s_DefaultTangent Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___s_DefaultTangent_9; // UnityEngine.UIVertex UnityEngine.UIVertex::simpleVert UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 ___simpleVert_10; public: inline static int32_t get_offset_of_s_DefaultColor_8() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577_StaticFields, ___s_DefaultColor_8)); } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 get_s_DefaultColor_8() const { return ___s_DefaultColor_8; } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 * get_address_of_s_DefaultColor_8() { return &___s_DefaultColor_8; } inline void set_s_DefaultColor_8(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 value) { ___s_DefaultColor_8 = value; } inline static int32_t get_offset_of_s_DefaultTangent_9() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577_StaticFields, ___s_DefaultTangent_9)); } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_s_DefaultTangent_9() const { return ___s_DefaultTangent_9; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_s_DefaultTangent_9() { return &___s_DefaultTangent_9; } inline void set_s_DefaultTangent_9(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { ___s_DefaultTangent_9 = value; } inline static int32_t get_offset_of_simpleVert_10() { return static_cast<int32_t>(offsetof(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577_StaticFields, ___simpleVert_10)); } inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 get_simpleVert_10() const { return ___simpleVert_10; } inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 * get_address_of_simpleVert_10() { return &___simpleVert_10; } inline void set_simpleVert_10(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 value) { ___simpleVert_10 = value; } }; // System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum> struct KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 { 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_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5, ___key_0)); } inline RuntimeObject * get_key_0() const { return ___key_0; } inline RuntimeObject ** get_address_of_key_0() { return &___key_0; } inline void set_key_0(RuntimeObject * value) { ___key_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value); } inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5, ___value_1)); } inline int32_t get_value_1() const { return ___value_1; } inline int32_t* get_address_of_value_1() { return &___value_1; } inline void set_value_1(int32_t value) { ___value_1 = value; } }; // System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>> struct Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B, ___list_0)); } inline List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * get_list_0() const { return ___list_0; } inline List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B, ___current_3)); } inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B get_current_3() const { return ___current_3; } inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * get_address_of_current_3() { return &___current_3; } inline void set_current_3(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B value) { ___current_3 = value; Il2CppCodeGenWriteBarrier((void**)&(((&___current_3))->___value_1), (void*)NULL); } }; // System.Collections.Generic.List`1_Enumerator<System.Int32Enum> struct Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D { public: // System.Collections.Generic.List`1<T> System.Collections.Generic.List`1_Enumerator::list List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * ___list_0; // System.Int32 System.Collections.Generic.List`1_Enumerator::index int32_t ___index_1; // System.Int32 System.Collections.Generic.List`1_Enumerator::version int32_t ___version_2; // T System.Collections.Generic.List`1_Enumerator::current int32_t ___current_3; public: inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D, ___list_0)); } inline List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * get_list_0() const { return ___list_0; } inline List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 ** get_address_of_list_0() { return &___list_0; } inline void set_list_0(List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * value) { ___list_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value); } inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D, ___index_1)); } inline int32_t get_index_1() const { return ___index_1; } inline int32_t* get_address_of_index_1() { return &___index_1; } inline void set_index_1(int32_t value) { ___index_1 = value; } inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D, ___version_2)); } inline int32_t get_version_2() const { return ___version_2; } inline int32_t* get_address_of_version_2() { return &___version_2; } inline void set_version_2(int32_t value) { ___version_2 = value; } inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D, ___current_3)); } inline int32_t get_current_3() const { return ___current_3; } inline int32_t* get_address_of_current_3() { return &___current_3; } inline void set_current_3(int32_t value) { ___current_3 = value; } }; // System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 { public: // System.Object System.Runtime.Serialization.StreamingContext::m_additionalContext RuntimeObject * ___m_additionalContext_0; // System.Runtime.Serialization.StreamingContextStates System.Runtime.Serialization.StreamingContext::m_state int32_t ___m_state_1; public: inline static int32_t get_offset_of_m_additionalContext_0() { return static_cast<int32_t>(offsetof(StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034, ___m_additionalContext_0)); } inline RuntimeObject * get_m_additionalContext_0() const { return ___m_additionalContext_0; } inline RuntimeObject ** get_address_of_m_additionalContext_0() { return &___m_additionalContext_0; } inline void set_m_additionalContext_0(RuntimeObject * value) { ___m_additionalContext_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_additionalContext_0), (void*)value); } inline static int32_t get_offset_of_m_state_1() { return static_cast<int32_t>(offsetof(StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034, ___m_state_1)); } inline int32_t get_m_state_1() const { return ___m_state_1; } inline int32_t* get_address_of_m_state_1() { return &___m_state_1; } inline void set_m_state_1(int32_t value) { ___m_state_1 = value; } }; // Native definition for P/Invoke marshalling of System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034_marshaled_pinvoke { Il2CppIUnknown* ___m_additionalContext_0; int32_t ___m_state_1; }; // Native definition for COM marshalling of System.Runtime.Serialization.StreamingContext struct StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034_marshaled_com { Il2CppIUnknown* ___m_additionalContext_0; int32_t ___m_state_1; }; // System.SystemException struct SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 : public Exception_t { public: public: }; // System.Type struct Type_t : public MemberInfo_t { public: // System.RuntimeTypeHandle System.Type::_impl RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D ____impl_9; public: inline static int32_t get_offset_of__impl_9() { return static_cast<int32_t>(offsetof(Type_t, ____impl_9)); } inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D get__impl_9() const { return ____impl_9; } inline RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D * get_address_of__impl_9() { return &____impl_9; } inline void set__impl_9(RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D value) { ____impl_9 = value; } }; struct Type_t_StaticFields { public: // System.Reflection.MemberFilter System.Type::FilterAttribute MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterAttribute_0; // System.Reflection.MemberFilter System.Type::FilterName MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterName_1; // System.Reflection.MemberFilter System.Type::FilterNameIgnoreCase MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * ___FilterNameIgnoreCase_2; // System.Object System.Type::Missing RuntimeObject * ___Missing_3; // System.Char System.Type::Delimiter Il2CppChar ___Delimiter_4; // System.Type[] System.Type::EmptyTypes TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___EmptyTypes_5; // System.Reflection.Binder System.Type::defaultBinder Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * ___defaultBinder_6; public: inline static int32_t get_offset_of_FilterAttribute_0() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterAttribute_0)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterAttribute_0() const { return ___FilterAttribute_0; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterAttribute_0() { return &___FilterAttribute_0; } inline void set_FilterAttribute_0(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterAttribute_0 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterAttribute_0), (void*)value); } inline static int32_t get_offset_of_FilterName_1() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterName_1)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterName_1() const { return ___FilterName_1; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterName_1() { return &___FilterName_1; } inline void set_FilterName_1(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterName_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterName_1), (void*)value); } inline static int32_t get_offset_of_FilterNameIgnoreCase_2() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterNameIgnoreCase_2)); } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * get_FilterNameIgnoreCase_2() const { return ___FilterNameIgnoreCase_2; } inline MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 ** get_address_of_FilterNameIgnoreCase_2() { return &___FilterNameIgnoreCase_2; } inline void set_FilterNameIgnoreCase_2(MemberFilter_t25C1BD92C42BE94426E300787C13C452CB89B381 * value) { ___FilterNameIgnoreCase_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___FilterNameIgnoreCase_2), (void*)value); } inline static int32_t get_offset_of_Missing_3() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Missing_3)); } inline RuntimeObject * get_Missing_3() const { return ___Missing_3; } inline RuntimeObject ** get_address_of_Missing_3() { return &___Missing_3; } inline void set_Missing_3(RuntimeObject * value) { ___Missing_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___Missing_3), (void*)value); } inline static int32_t get_offset_of_Delimiter_4() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Delimiter_4)); } inline Il2CppChar get_Delimiter_4() const { return ___Delimiter_4; } inline Il2CppChar* get_address_of_Delimiter_4() { return &___Delimiter_4; } inline void set_Delimiter_4(Il2CppChar value) { ___Delimiter_4 = value; } inline static int32_t get_offset_of_EmptyTypes_5() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___EmptyTypes_5)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_EmptyTypes_5() const { return ___EmptyTypes_5; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_EmptyTypes_5() { return &___EmptyTypes_5; } inline void set_EmptyTypes_5(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___EmptyTypes_5 = value; Il2CppCodeGenWriteBarrier((void**)(&___EmptyTypes_5), (void*)value); } inline static int32_t get_offset_of_defaultBinder_6() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___defaultBinder_6)); } inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * get_defaultBinder_6() const { return ___defaultBinder_6; } inline Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 ** get_address_of_defaultBinder_6() { return &___defaultBinder_6; } inline void set_defaultBinder_6(Binder_t4D5CB06963501D32847C057B57157D6DC49CA759 * value) { ___defaultBinder_6 = value; Il2CppCodeGenWriteBarrier((void**)(&___defaultBinder_6), (void*)value); } }; // UnityEngine.UI.Navigation struct Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 { public: // UnityEngine.UI.Navigation_Mode UnityEngine.UI.Navigation::m_Mode int32_t ___m_Mode_0; // UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnUp Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnUp_1; // UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnDown Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnDown_2; // UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnLeft Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnLeft_3; // UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnRight Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnRight_4; public: inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07, ___m_Mode_0)); } inline int32_t get_m_Mode_0() const { return ___m_Mode_0; } inline int32_t* get_address_of_m_Mode_0() { return &___m_Mode_0; } inline void set_m_Mode_0(int32_t value) { ___m_Mode_0 = value; } inline static int32_t get_offset_of_m_SelectOnUp_1() { return static_cast<int32_t>(offsetof(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07, ___m_SelectOnUp_1)); } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * get_m_SelectOnUp_1() const { return ___m_SelectOnUp_1; } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A ** get_address_of_m_SelectOnUp_1() { return &___m_SelectOnUp_1; } inline void set_m_SelectOnUp_1(Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * value) { ___m_SelectOnUp_1 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnUp_1), (void*)value); } inline static int32_t get_offset_of_m_SelectOnDown_2() { return static_cast<int32_t>(offsetof(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07, ___m_SelectOnDown_2)); } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * get_m_SelectOnDown_2() const { return ___m_SelectOnDown_2; } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A ** get_address_of_m_SelectOnDown_2() { return &___m_SelectOnDown_2; } inline void set_m_SelectOnDown_2(Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * value) { ___m_SelectOnDown_2 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnDown_2), (void*)value); } inline static int32_t get_offset_of_m_SelectOnLeft_3() { return static_cast<int32_t>(offsetof(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07, ___m_SelectOnLeft_3)); } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * get_m_SelectOnLeft_3() const { return ___m_SelectOnLeft_3; } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A ** get_address_of_m_SelectOnLeft_3() { return &___m_SelectOnLeft_3; } inline void set_m_SelectOnLeft_3(Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * value) { ___m_SelectOnLeft_3 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnLeft_3), (void*)value); } inline static int32_t get_offset_of_m_SelectOnRight_4() { return static_cast<int32_t>(offsetof(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07, ___m_SelectOnRight_4)); } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * get_m_SelectOnRight_4() const { return ___m_SelectOnRight_4; } inline Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A ** get_address_of_m_SelectOnRight_4() { return &___m_SelectOnRight_4; } inline void set_m_SelectOnRight_4(Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * value) { ___m_SelectOnRight_4 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnRight_4), (void*)value); } }; // Native definition for P/Invoke marshalling of UnityEngine.UI.Navigation struct Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07_marshaled_pinvoke { int32_t ___m_Mode_0; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnUp_1; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnDown_2; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnLeft_3; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnRight_4; }; // Native definition for COM marshalling of UnityEngine.UI.Navigation struct Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07_marshaled_com { int32_t ___m_Mode_0; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnUp_1; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnDown_2; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnLeft_3; Selectable_tAA9065030FE0468018DEC880302F95FEA9C0133A * ___m_SelectOnRight_4; }; // System.ArgumentException struct ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: // System.String System.ArgumentException::m_paramName String_t* ___m_paramName_17; public: inline static int32_t get_offset_of_m_paramName_17() { return static_cast<int32_t>(offsetof(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1, ___m_paramName_17)); } inline String_t* get_m_paramName_17() const { return ___m_paramName_17; } inline String_t** get_address_of_m_paramName_17() { return &___m_paramName_17; } inline void set_m_paramName_17(String_t* value) { ___m_paramName_17 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_paramName_17), (void*)value); } }; // System.ArrayTypeMismatchException struct ArrayTypeMismatchException_tE34C1032B089C37399200997F079C640D23D9499 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.InvalidOperationException struct InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.NotSupportedException struct NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; // System.Reflection.TypeInfo struct TypeInfo_t9D6F65801A41B97F36138B15FD270A1550DBB3FC : public Type_t { public: public: }; // System.Runtime.Serialization.SerializationException struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 : public SystemException_t5380468142AA850BE4A341D7AF3EAB9C78746782 { public: public: }; struct SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_StaticFields { public: // System.String System.Runtime.Serialization.SerializationException::_nullMessage String_t* ____nullMessage_17; public: inline static int32_t get_offset_of__nullMessage_17() { return static_cast<int32_t>(offsetof(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_StaticFields, ____nullMessage_17)); } inline String_t* get__nullMessage_17() const { return ____nullMessage_17; } inline String_t** get_address_of__nullMessage_17() { return &____nullMessage_17; } inline void set__nullMessage_17(String_t* value) { ____nullMessage_17 = value; Il2CppCodeGenWriteBarrier((void**)(&____nullMessage_17), (void*)value); } }; // System.ArgumentNullException struct ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 { public: public: }; // System.ArgumentOutOfRangeException struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA : public ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 { public: // System.Object System.ArgumentOutOfRangeException::m_actualValue RuntimeObject * ___m_actualValue_19; public: inline static int32_t get_offset_of_m_actualValue_19() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA, ___m_actualValue_19)); } inline RuntimeObject * get_m_actualValue_19() const { return ___m_actualValue_19; } inline RuntimeObject ** get_address_of_m_actualValue_19() { return &___m_actualValue_19; } inline void set_m_actualValue_19(RuntimeObject * value) { ___m_actualValue_19 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_actualValue_19), (void*)value); } }; struct ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields { public: // System.String modreq(System.Runtime.CompilerServices.IsVolatile) System.ArgumentOutOfRangeException::_rangeMessage String_t* ____rangeMessage_18; public: inline static int32_t get_offset_of__rangeMessage_18() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_StaticFields, ____rangeMessage_18)); } inline String_t* get__rangeMessage_18() const { return ____rangeMessage_18; } inline String_t** get_address_of__rangeMessage_18() { return &____rangeMessage_18; } inline void set__rangeMessage_18(String_t* value) { ____rangeMessage_18 = value; Il2CppCodeGenWriteBarrier((void**)(&____rangeMessage_18), (void*)value); } }; // System.PlatformNotSupportedException struct PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 : public NotSupportedException_tE75B318D6590A02A5D9B29FD97409B1750FA0010 { public: public: }; // System.RuntimeType struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F : public TypeInfo_t9D6F65801A41B97F36138B15FD270A1550DBB3FC { public: // System.MonoTypeInfo System.RuntimeType::type_info MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * ___type_info_26; // System.Object System.RuntimeType::GenericCache RuntimeObject * ___GenericCache_27; // System.Reflection.RuntimeConstructorInfo System.RuntimeType::m_serializationCtor RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * ___m_serializationCtor_28; public: inline static int32_t get_offset_of_type_info_26() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___type_info_26)); } inline MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * get_type_info_26() const { return ___type_info_26; } inline MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D ** get_address_of_type_info_26() { return &___type_info_26; } inline void set_type_info_26(MonoTypeInfo_t9A65BA5324D14FDFEB7644EEE6E1BDF74B8A393D * value) { ___type_info_26 = value; Il2CppCodeGenWriteBarrier((void**)(&___type_info_26), (void*)value); } inline static int32_t get_offset_of_GenericCache_27() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___GenericCache_27)); } inline RuntimeObject * get_GenericCache_27() const { return ___GenericCache_27; } inline RuntimeObject ** get_address_of_GenericCache_27() { return &___GenericCache_27; } inline void set_GenericCache_27(RuntimeObject * value) { ___GenericCache_27 = value; Il2CppCodeGenWriteBarrier((void**)(&___GenericCache_27), (void*)value); } inline static int32_t get_offset_of_m_serializationCtor_28() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F, ___m_serializationCtor_28)); } inline RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * get_m_serializationCtor_28() const { return ___m_serializationCtor_28; } inline RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D ** get_address_of_m_serializationCtor_28() { return &___m_serializationCtor_28; } inline void set_m_serializationCtor_28(RuntimeConstructorInfo_tF21A59967629968D0BE5D0DAF677662824E9629D * value) { ___m_serializationCtor_28 = value; Il2CppCodeGenWriteBarrier((void**)(&___m_serializationCtor_28), (void*)value); } }; struct RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields { public: // System.RuntimeType System.RuntimeType::ValueType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___ValueType_10; // System.RuntimeType System.RuntimeType::EnumType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___EnumType_11; // System.RuntimeType System.RuntimeType::ObjectType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___ObjectType_12; // System.RuntimeType System.RuntimeType::StringType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___StringType_13; // System.RuntimeType System.RuntimeType::DelegateType RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___DelegateType_14; // System.Type[] System.RuntimeType::s_SICtorParamTypes TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___s_SICtorParamTypes_15; // System.RuntimeType System.RuntimeType::s_typedRef RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___s_typedRef_25; public: inline static int32_t get_offset_of_ValueType_10() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___ValueType_10)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_ValueType_10() const { return ___ValueType_10; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_ValueType_10() { return &___ValueType_10; } inline void set_ValueType_10(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___ValueType_10 = value; Il2CppCodeGenWriteBarrier((void**)(&___ValueType_10), (void*)value); } inline static int32_t get_offset_of_EnumType_11() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___EnumType_11)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_EnumType_11() const { return ___EnumType_11; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_EnumType_11() { return &___EnumType_11; } inline void set_EnumType_11(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___EnumType_11 = value; Il2CppCodeGenWriteBarrier((void**)(&___EnumType_11), (void*)value); } inline static int32_t get_offset_of_ObjectType_12() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___ObjectType_12)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_ObjectType_12() const { return ___ObjectType_12; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_ObjectType_12() { return &___ObjectType_12; } inline void set_ObjectType_12(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___ObjectType_12 = value; Il2CppCodeGenWriteBarrier((void**)(&___ObjectType_12), (void*)value); } inline static int32_t get_offset_of_StringType_13() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___StringType_13)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_StringType_13() const { return ___StringType_13; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_StringType_13() { return &___StringType_13; } inline void set_StringType_13(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___StringType_13 = value; Il2CppCodeGenWriteBarrier((void**)(&___StringType_13), (void*)value); } inline static int32_t get_offset_of_DelegateType_14() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___DelegateType_14)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_DelegateType_14() const { return ___DelegateType_14; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_DelegateType_14() { return &___DelegateType_14; } inline void set_DelegateType_14(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___DelegateType_14 = value; Il2CppCodeGenWriteBarrier((void**)(&___DelegateType_14), (void*)value); } inline static int32_t get_offset_of_s_SICtorParamTypes_15() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___s_SICtorParamTypes_15)); } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_s_SICtorParamTypes_15() const { return ___s_SICtorParamTypes_15; } inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_s_SICtorParamTypes_15() { return &___s_SICtorParamTypes_15; } inline void set_s_SICtorParamTypes_15(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value) { ___s_SICtorParamTypes_15 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_SICtorParamTypes_15), (void*)value); } inline static int32_t get_offset_of_s_typedRef_25() { return static_cast<int32_t>(offsetof(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_StaticFields, ___s_typedRef_25)); } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * get_s_typedRef_25() const { return ___s_typedRef_25; } inline RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F ** get_address_of_s_typedRef_25() { return &___s_typedRef_25; } inline void set_s_typedRef_25(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * value) { ___s_typedRef_25 = value; Il2CppCodeGenWriteBarrier((void**)(&___s_typedRef_25), (void*)value); } }; #ifdef __clang__ #pragma clang diagnostic pop #endif // System.Type[] struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F : public RuntimeArray { public: ALIGN_FIELD (8) Type_t * m_Items[1]; public: inline Type_t * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Type_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, Type_t * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline Type_t * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Type_t ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Type_t * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Diagnostics.Tracing.EventProvider_SessionInfo[] struct SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906 : public RuntimeArray { public: ALIGN_FIELD (8) SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A m_Items[1]; public: inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * 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, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A value) { m_Items[index] = value; } }; // System.Guid[] struct GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF : public RuntimeArray { public: ALIGN_FIELD (8) Guid_t m_Items[1]; public: inline Guid_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Guid_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, Guid_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Guid_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Guid_t * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Guid_t 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.Object[] struct ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A : public RuntimeArray { public: ALIGN_FIELD (8) RuntimeObject * m_Items[1]; public: inline RuntimeObject * GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RuntimeObject ** GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, RuntimeObject * value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } inline RuntimeObject * GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RuntimeObject ** GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RuntimeObject * value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)m_Items + index, (void*)value); } }; // System.Resources.ResourceLocator[] struct ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC : public RuntimeArray { public: ALIGN_FIELD (8) ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C m_Items[1]; public: inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C * 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, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->____value_0), (void*)NULL); } inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->____value_0), (void*)NULL); } }; // System.Single[] struct SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5 : public RuntimeArray { public: ALIGN_FIELD (8) float m_Items[1]; public: inline float GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline float* 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, float value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline float GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline float* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, float value) { 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___callback_1), (void*)NULL); } 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___callback_1), (void*)NULL); } }; // UnityEngine.Color32[] struct Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983 : public RuntimeArray { public: ALIGN_FIELD (8) Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 m_Items[1]; public: inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 * 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, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 value) { m_Items[index] = value; } }; // UnityEngine.EventSystems.RaycastResult[] struct RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65 : public RuntimeArray { public: ALIGN_FIELD (8) RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 m_Items[1]; public: inline RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 * 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, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_GameObject_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___module_1), (void*)NULL); #endif } inline RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_GameObject_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___module_1), (void*)NULL); #endif } }; // UnityEngine.UI.ColorBlock[] struct ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7 : public RuntimeArray { public: ALIGN_FIELD (8) ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA m_Items[1]; public: inline ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA * 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, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA value) { m_Items[index] = value; } }; // UnityEngine.UI.Navigation[] struct NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D : public RuntimeArray { public: ALIGN_FIELD (8) Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 m_Items[1]; public: inline Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 * 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, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnUp_1), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnDown_2), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnLeft_3), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnRight_4), (void*)NULL); #endif } inline Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnUp_1), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnDown_2), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnLeft_3), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectOnRight_4), (void*)NULL); #endif } }; // UnityEngine.UI.SpriteState[] struct SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC : public RuntimeArray { public: ALIGN_FIELD (8) SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A m_Items[1]; public: inline SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A * 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, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_HighlightedSprite_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_PressedSprite_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectedSprite_2), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DisabledSprite_3), (void*)NULL); #endif } inline SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_HighlightedSprite_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_PressedSprite_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_SelectedSprite_2), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DisabledSprite_3), (void*)NULL); #endif } }; // UnityEngine.UICharInfo[] struct UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482 : public RuntimeArray { public: ALIGN_FIELD (8) UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A m_Items[1]; public: inline UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A * 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, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A value) { m_Items[index] = value; } }; // UnityEngine.UILineInfo[] struct UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC : public RuntimeArray { public: ALIGN_FIELD (8) UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 m_Items[1]; public: inline UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 * 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, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 value) { m_Items[index] = value; } }; // UnityEngine.UIVertex[] struct UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A : public RuntimeArray { public: ALIGN_FIELD (8) UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 m_Items[1]; public: inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 * 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, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DelagateCallback_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DelagateState_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_WaitHandle_2), (void*)NULL); #endif } 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DelagateCallback_0), (void*)NULL); #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_DelagateState_1), (void*)NULL); #endif #if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___m_WaitHandle_2), (void*)NULL); #endif } }; // UnityEngine.Vector2[] struct Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6 : public RuntimeArray { public: ALIGN_FIELD (8) Vector2_tA85D2DD88578276CA8A8796756458277E72D073D m_Items[1]; public: inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value) { m_Items[index] = value; } }; // UnityEngine.Vector3[] struct Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28 : public RuntimeArray { public: ALIGN_FIELD (8) Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 m_Items[1]; public: inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value) { m_Items[index] = value; } }; // UnityEngine.Vector4[] struct Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66 : public RuntimeArray { public: ALIGN_FIELD (8) Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E m_Items[1]; public: inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * 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, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value) { m_Items[index] = value; } }; // System.Boolean[] struct BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040 : public RuntimeArray { public: ALIGN_FIELD (8) bool m_Items[1]; public: inline bool GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline bool* 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, bool value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline bool GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline bool* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, bool value) { m_Items[index] = value; } }; // System.Byte[] struct ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821 : public RuntimeArray { public: ALIGN_FIELD (8) uint8_t m_Items[1]; public: inline uint8_t GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline uint8_t* GetAddressAt(il2cpp_array_size_t index) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items + index; } inline void SetAt(il2cpp_array_size_t index, uint8_t value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; } inline uint8_t GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline uint8_t* GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, uint8_t value) { m_Items[index] = value; } }; // System.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.Collections.Generic.HashSet`1_Slot<System.Object>[] struct SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B : public RuntimeArray { public: ALIGN_FIELD (8) Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 m_Items[1]; public: inline Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 GetAt(il2cpp_array_size_t index) const { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); return m_Items[index]; } inline Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 * 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, Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 value) { IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length); m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_2), (void*)NULL); } inline Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 GetAtUnchecked(il2cpp_array_size_t index) const { return m_Items[index]; } inline Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 * GetAddressAtUnchecked(il2cpp_array_size_t index) { return m_Items + index; } inline void SetAtUnchecked(il2cpp_array_size_t index, Slot_t394A01CC2CDB2C0780E7D536D7851E87E9B85279 value) { m_Items[index] = value; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_2), (void*)NULL); } }; // 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } 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; Il2CppCodeGenWriteBarrier((void**)&((m_Items + index)->___value_1), (void*)NULL); } }; // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.HashSet`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * ___set0, const RuntimeMethod* method); // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.HashSet`1/Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method); // T System.Collections.Generic.HashSet`1/Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_gshared_inline (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.HashSet`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_gshared_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_gshared_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, Guid_t ___key0, int32_t ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_gshared_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_gshared_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, Guid_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_gshared_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_gshared_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, int32_t ___key0, int32_t ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_gshared_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_gshared_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, int32_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_gshared_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_gshared_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_gshared_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_gshared_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_gshared_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_gshared_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_gshared_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_gshared_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, RuntimeObject * ___key0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_gshared_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_gshared_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, uint64_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // TKey System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Key() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR uint64_t KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_gshared_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method); // TValue System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Value() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_gshared_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.LinkedList`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method); // T System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_gshared_inline (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, RuntimeObject * ___sender0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Byte>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Byte>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Byte>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR uint8_t Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_gshared_inline (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Byte>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_gshared_inline (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_gshared_inline (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Int32>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_gshared_inline (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Int32>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_gshared_inline (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * ___list0, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Object>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_gshared_inline (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // System.Object System.Collections.Generic.List`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method); // System.Type System.Type::GetTypeFromHandle(System.RuntimeTypeHandle) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Type_t * Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6 (RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D ___handle0, const RuntimeMethod* method); // System.Boolean System.Type::op_Equality(System.Type,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8 (Type_t * ___left0, Type_t * ___right1, const RuntimeMethod* method); // System.Void System.Collections.Generic.ByteEqualityComparer::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68 (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.InternalStringComparer::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83 (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * __this, const RuntimeMethod* method); // System.Object System.RuntimeType::CreateInstanceForAnotherGenericParameter(System.Type,System.RuntimeType) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4 (Type_t * ___genericType0, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * ___genericArgument1, const RuntimeMethod* method); // System.Type System.Enum::GetUnderlyingType(System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Type_t * Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1 (Type_t * ___enumType0, const RuntimeMethod* method); // System.TypeCode System.Type::GetTypeCode(System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F (Type_t * ___type0, const RuntimeMethod* method); // System.Void System.ThrowHelper::ThrowArgumentException(System.ExceptionResource) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84 (int32_t ___resource0, const RuntimeMethod* method); // System.Void System.Object::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0 (RuntimeObject * __this, const RuntimeMethod* method); // System.Int32 System.Byte::CompareTo(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Byte_CompareTo_m928FA81F92D3A4D461F22BB4F82CF9D3B19B8376 (uint8_t* __this, uint8_t ___value0, const RuntimeMethod* method); // System.Type System.Object::GetType() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Type_t * Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60 (RuntimeObject * __this, const RuntimeMethod* method); // System.Int32 System.Int32::CompareTo(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Int32_CompareTo_m2EB2B72F9095FF3438D830118D57E32E1CC67195 (int32_t* __this, int32_t ___value0, const RuntimeMethod* method); // System.Int32 System.UInt64::CompareTo(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t UInt64_CompareTo_m03A38257A9E54676839E92A530E8BB17D6A58873 (uint64_t* __this, uint64_t ___value0, const RuntimeMethod* method); // System.Boolean System.Boolean::Equals(System.Boolean) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Boolean_Equals_mD6223639457331BC16211ED4772C5927668DC060 (bool* __this, bool ___obj0, const RuntimeMethod* method); // System.Int32 System.Boolean::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Boolean_GetHashCode_m92C426D44100ED098FEECC96A743C3CB92DFF737 (bool* __this, const RuntimeMethod* method); // System.Boolean System.Byte::Equals(System.Byte) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Byte_Equals_m87DDF4363A9B222224EFCA173189FFA2574A7E16 (uint8_t* __this, uint8_t ___obj0, const RuntimeMethod* method); // System.Int32 System.Byte::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Byte_GetHashCode_m57BA90F7D83EA8E9ECCA68505FFEA649D1C748E0 (uint8_t* __this, const RuntimeMethod* method); // System.Boolean System.Char::Equals(System.Char) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Char_Equals_mF5F094BED35D6DE2ACEAE25F6FEF524B8BD9CBAC (Il2CppChar* __this, Il2CppChar ___obj0, const RuntimeMethod* method); // System.Int32 System.Char::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Char_GetHashCode_m9FACC936FF239053F0CF62F1C13EB23347CDE5B2 (Il2CppChar* __this, const RuntimeMethod* method); // System.Boolean System.Guid::Equals(System.Guid) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Guid_Equals_mC7FC66A530A8B6FC95E8F5F9E34AE81FD44CD245 (Guid_t * __this, Guid_t ___g0, const RuntimeMethod* method); // System.Int32 System.Guid::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Guid_GetHashCode_mEB01C6BA267B1CCD624BCA91D09B803C9B6E5369 (Guid_t * __this, const RuntimeMethod* method); // System.Boolean System.Int32::Equals(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Int32_Equals_mC8C45B8899F291D55A6152C8FEDB3CFFF181170B (int32_t* __this, int32_t ___obj0, const RuntimeMethod* method); // System.Int32 System.Int32::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Int32_GetHashCode_m245C424ECE351E5FE3277A88EEB02132DAB8C25A (int32_t* __this, const RuntimeMethod* method); // System.Boolean System.Single::Equals(System.Single) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7 (float* __this, float ___obj0, const RuntimeMethod* method); // System.Int32 System.Single::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0 (float* __this, const RuntimeMethod* method); // System.Boolean System.UInt64::Equals(System.UInt64) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool UInt64_Equals_m8C3B2C55776A9086B7F78F6A636F9B15B059F058 (uint64_t* __this, uint64_t ___obj0, const RuntimeMethod* method); // System.Int32 System.UInt64::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t UInt64_GetHashCode_mCBB4031BF70D0CBD023B4D71F4FEA37BE2C749AD (uint64_t* __this, const RuntimeMethod* method); // System.Boolean UnityEngine.UI.ColorBlock::Equals(UnityEngine.UI.ColorBlock) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool ColorBlock_Equals_m3768CE3E85F9FD55FCA305EA20FF33983B4DB26C (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA * __this, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___other0, const RuntimeMethod* method); // System.Int32 UnityEngine.UI.ColorBlock::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t ColorBlock_GetHashCode_m1F4A5EC52681DEE9C205F4A5C5A60051DAF71111 (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA * __this, const RuntimeMethod* method); // System.Boolean UnityEngine.UI.Navigation::Equals(UnityEngine.UI.Navigation) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Navigation_Equals_mBAEC72440C03A77E0981AD0FEFDFF823984B7CE0 (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 * __this, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___other0, const RuntimeMethod* method); // System.Boolean UnityEngine.UI.SpriteState::Equals(UnityEngine.UI.SpriteState) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool SpriteState_Equals_mD9E480FA2D996155ED689F6BA29917273DF036E2 (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A * __this, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___other0, const RuntimeMethod* method); // System.Boolean UnityEngine.Vector2::Equals(UnityEngine.Vector2) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___other0, const RuntimeMethod* method); // System.Int32 UnityEngine.Vector2::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54 (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * __this, const RuntimeMethod* method); // System.Boolean UnityEngine.Vector3::Equals(UnityEngine.Vector3) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___other0, const RuntimeMethod* method); // System.Int32 UnityEngine.Vector3::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * __this, const RuntimeMethod* method); // System.Boolean UnityEngine.Vector4::Equals(UnityEngine.Vector4) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___other0, const RuntimeMethod* method); // System.Int32 UnityEngine.Vector4::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.HashSet`1<T>) inline void Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * ___set0, const RuntimeMethod* method) { (( void (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, const RuntimeMethod*))Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC_gshared)(__this, ___set0, method); } // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::Dispose() inline void Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, const RuntimeMethod*))Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF_gshared)(__this, method); } // System.Void System.InvalidOperationException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706 (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Boolean System.Collections.Generic.HashSet`1/Enumerator<System.Object>::MoveNext() inline bool Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, const RuntimeMethod*))Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_gshared)(__this, method); } // T System.Collections.Generic.HashSet`1/Enumerator<System.Object>::get_Current() inline RuntimeObject * Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_inline (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, const RuntimeMethod*))Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.HashSet`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6 (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_gshared)(__this, method); } // System.Void System.Collections.Generic.HashSet`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8 (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_gshared)(__this, method); } // System.Void System.Array::Clear(System.Array,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E (RuntimeArray * ___array0, int32_t ___index1, int32_t ___length2, const RuntimeMethod* method); // System.Void System.ArgumentNullException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * __this, String_t* ___paramName0, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationInfo::AddValue(System.String,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationInfo_AddValue_m7C73917D9DC4B8FE4AFEF4BA8EBEDAB046A8D0BD (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, int32_t ___value1, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationInfo::AddValue(System.String,System.Object,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, RuntimeObject * ___value1, Type_t * ___type2, const RuntimeMethod* method); // System.Int32 System.Runtime.Serialization.SerializationInfo::GetInt32(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t SerializationInfo_GetInt32_mB47BD46A0BDBBAF5B47BB62E6EFF8E092E3F3656 (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, const RuntimeMethod* method); // System.Object System.Runtime.Serialization.SerializationInfo::GetValue(System.String,System.Type) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * __this, String_t* ___name0, Type_t * ___type1, const RuntimeMethod* method); // System.Void System.Runtime.Serialization.SerializationException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1 (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Void System.ArgumentOutOfRangeException::.ctor(System.String,System.Object,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378 (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * __this, String_t* ___paramName0, RuntimeObject * ___actualValue1, String_t* ___message2, const RuntimeMethod* method); // System.Void System.ArgumentException::.ctor(System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* ___message0, const RuntimeMethod* method); // System.Int32 System.Collections.HashHelpers::GetPrime(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t HashHelpers_GetPrime_m743D7006C2BCBADC1DC8CACF7C5B78C9F6B38297 (int32_t ___min0, const RuntimeMethod* method); // System.Int32 System.Collections.HashHelpers::ExpandPrime(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t HashHelpers_ExpandPrime_m4245F4C95074EAA8F949FB3B734F611A533A6A0D (int32_t ___oldSize0, const RuntimeMethod* method); // System.Void System.Array::Copy(System.Array,System.Int32,System.Array,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6 (RuntimeArray * ___sourceArray0, int32_t ___sourceIndex1, RuntimeArray * ___destinationArray2, int32_t ___destinationIndex3, int32_t ___length4, const RuntimeMethod* method); // System.Void System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 , RuntimeObject *, const RuntimeMethod*))KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Key() inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { return (( DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 (*) (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *, const RuntimeMethod*))KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Value() inline RuntimeObject * KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *, const RuntimeMethod*))KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair::PairToString(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03 (RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method); // System.String System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::ToString() inline String_t* KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2 (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *, const RuntimeMethod*))KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1 (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, Guid_t ___key0, int32_t ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *, Guid_t , int32_t, const RuntimeMethod*))KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Key() inline Guid_t KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { return (( Guid_t (*) (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *, const RuntimeMethod*))KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Value() inline int32_t KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *, const RuntimeMethod*))KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::ToString() inline String_t* KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887 (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *, const RuntimeMethod*))KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83 (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, Guid_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *, Guid_t , RuntimeObject *, const RuntimeMethod*))KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Key() inline Guid_t KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { return (( Guid_t (*) (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *, const RuntimeMethod*))KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Value() inline RuntimeObject * KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *, const RuntimeMethod*))KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::ToString() inline String_t* KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403 (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *, const RuntimeMethod*))KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0 (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, int32_t ___key0, int32_t ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *, int32_t, int32_t, const RuntimeMethod*))KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Key() inline int32_t KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *, const RuntimeMethod*))KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Value() inline int32_t KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *, const RuntimeMethod*))KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::ToString() inline String_t* KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *, const RuntimeMethod*))KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078 (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, int32_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *, int32_t, RuntimeObject *, const RuntimeMethod*))KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Key() inline int32_t KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *, const RuntimeMethod*))KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Value() inline RuntimeObject * KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *, const RuntimeMethod*))KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::ToString() inline String_t* KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6 (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *, const RuntimeMethod*))KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *, RuntimeObject *, int32_t, const RuntimeMethod*))KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Key() inline RuntimeObject * KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *, const RuntimeMethod*))KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Value() inline int32_t KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *, const RuntimeMethod*))KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::ToString() inline String_t* KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35 (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *, const RuntimeMethod*))KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425 (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *, RuntimeObject *, int32_t, const RuntimeMethod*))KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Key() inline RuntimeObject * KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *, const RuntimeMethod*))KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Value() inline int32_t KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { return (( int32_t (*) (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *, const RuntimeMethod*))KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::ToString() inline String_t* KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *, const RuntimeMethod*))KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3 (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *, RuntimeObject *, RuntimeObject *, const RuntimeMethod*))KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Key() inline RuntimeObject * KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *, const RuntimeMethod*))KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Value() inline RuntimeObject * KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *, const RuntimeMethod*))KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::ToString() inline String_t* KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *, const RuntimeMethod*))KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0 (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, RuntimeObject * ___key0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *, RuntimeObject *, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C , const RuntimeMethod*))KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Key() inline RuntimeObject * KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *, const RuntimeMethod*))KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Value() inline ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { return (( ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C (*) (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *, const RuntimeMethod*))KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::ToString() inline String_t* KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *, const RuntimeMethod*))KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E_gshared)(__this, method); } // System.Void System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::.ctor(TKey,TValue) inline void KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9 (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, uint64_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { (( void (*) (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *, uint64_t, RuntimeObject *, const RuntimeMethod*))KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9_gshared)(__this, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Key() inline uint64_t KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { return (( uint64_t (*) (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *, const RuntimeMethod*))KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_gshared_inline)(__this, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Value() inline RuntimeObject * KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *, const RuntimeMethod*))KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_gshared_inline)(__this, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::ToString() inline String_t* KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359 (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { return (( String_t* (*) (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *, const RuntimeMethod*))KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359_gshared)(__this, method); } // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.LinkedList`1<T>) inline void Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD_gshared)(__this, ___list0, method); } // System.Void System.PlatformNotSupportedException::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void PlatformNotSupportedException__ctor_m651139B17C9EE918551490BC675754EA8EA3E7C7 (PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) inline void Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 , const RuntimeMethod*))Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_gshared)(__this, ___info0, ___context1, method); } // T System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::get_Current() inline RuntimeObject * Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_inline (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, const RuntimeMethod*))Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_gshared)(__this, method); } // System.Boolean System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::MoveNext() inline bool Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, const RuntimeMethod*))Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_gshared)(__this, method); } // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_gshared)(__this, method); } // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::Dispose() inline void Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, const RuntimeMethod*))Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6_gshared)(__this, method); } // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) inline void Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 , const RuntimeMethod*))Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_gshared)(__this, ___info0, ___context1, method); } // System.Void System.Collections.Generic.LinkedList`1/Enumerator<System.Object>::System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(System.Object) inline void Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149 (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { (( void (*) (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *, RuntimeObject *, const RuntimeMethod*))Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_gshared)(__this, ___sender0, method); } // System.Int32 System.Array::get_Rank() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1 (RuntimeArray * __this, const RuntimeMethod* method); // System.Void System.ArgumentException::.ctor(System.String,System.String) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8 (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * __this, String_t* ___message0, String_t* ___paramName1, const RuntimeMethod* method); // System.Int32 System.Array::GetLowerBound(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_GetLowerBound_mDCFD284D55CFFA1DD8825D7FCF86A85EFB71FD1B (RuntimeArray * __this, int32_t ___dimension0, const RuntimeMethod* method); // System.Int32 System.Array::get_Length() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D (RuntimeArray * __this, const RuntimeMethod* method); // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289 (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *, const RuntimeMethod*))Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::Dispose() inline void Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Byte>::MoveNextRare() inline bool Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Byte>::MoveNext() inline bool Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80 (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80_gshared)(__this, method); } // System.Void System.ThrowHelper::ThrowInvalidOperationException(System.ExceptionResource) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454 (int32_t ___resource0, const RuntimeMethod* method); // T System.Collections.Generic.List`1/Enumerator<System.Byte>::get_Current() inline uint8_t Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_inline (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { return (( uint8_t (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Byte>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Byte>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758 (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5 (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *, const RuntimeMethod*))Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::Dispose() inline void Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNextRare() inline bool Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3 (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNext() inline bool Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F_gshared)(__this, method); } // T System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::get_Current() inline KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_inline (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { return (( KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38 (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *, const RuntimeMethod*))Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::Dispose() inline void Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::MoveNextRare() inline bool Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::MoveNext() inline bool Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619 (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619_gshared)(__this, method); } // T System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::get_Current() inline SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_inline (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { return (( SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13 (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Diagnostics.Tracing.EventProvider/SessionInfo>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58 (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *, const RuntimeMethod*))Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::Dispose() inline void Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32>::MoveNextRare() inline bool Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32>::MoveNext() inline bool Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609_gshared)(__this, method); } // T System.Collections.Generic.List`1/Enumerator<System.Int32>::get_Current() inline int32_t Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_inline (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { return (( int32_t (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Int32>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929 (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166 (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *, const RuntimeMethod*))Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::Dispose() inline void Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1 (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::MoveNextRare() inline bool Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340 (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::MoveNext() inline bool Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2 (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2_gshared)(__this, method); } // T System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::get_Current() inline int32_t Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_inline (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { return (( int32_t (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Int32Enum>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::.ctor(System.Collections.Generic.List`1<T>) inline void Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * ___list0, const RuntimeMethod* method) { (( void (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *, const RuntimeMethod*))Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0_gshared)(__this, ___list0, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::Dispose() inline void Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Object>::MoveNextRare() inline bool Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2_gshared)(__this, method); } // System.Boolean System.Collections.Generic.List`1/Enumerator<System.Object>::MoveNext() inline bool Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { return (( bool (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34_gshared)(__this, method); } // T System.Collections.Generic.List`1/Enumerator<System.Object>::get_Current() inline RuntimeObject * Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_inline (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_gshared_inline)(__this, method); } // System.Object System.Collections.Generic.List`1/Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() inline RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { return (( RuntimeObject * (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793_gshared)(__this, method); } // System.Void System.Collections.Generic.List`1/Enumerator<System.Object>::System.Collections.IEnumerator.Reset() inline void Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797 (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { (( void (*) (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *, const RuntimeMethod*))Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797_gshared)(__this, method); } #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * EqualityComparer_1_get_Default_m98ABE1BEDE230F269CDF6FCF9214A11999CEF67B_gshared (const RuntimeMethod* method) { EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * V_0 = NULL; { EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * L_0 = ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)L_0; EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * L_2 = (( EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)L_2; EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * EqualityComparer_1_CreateComparer_m0EF2917F754FE8502C11047451AC2CC29CB2D5C9_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m0EF2917F754FE8502C11047451AC2CC29CB2D5C9_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t3D9D79B1E0AF0CA505449C6D90B8FCE68D1FB0E6 * L_65 = (ObjectEqualityComparer_1_t3D9D79B1E0AF0CA505449C6D90B8FCE68D1FB0E6 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t3D9D79B1E0AF0CA505449C6D90B8FCE68D1FB0E6 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m0B7DCB9F0B2609706E35712B376E6B7D0A8E75F3_gshared (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * __this, SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* ___array0, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_7 = ___value1; NullCheck((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this); bool L_8 = VirtFuncInvoker2< bool, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A , SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider/SessionInfo>::Equals(T,T) */, (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )L_6, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mB619EEEE77599E8B3D1D8199DDBD8259AB7A628C_gshared (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * __this, SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* ___array0, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_7 = ___value1; NullCheck((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this); bool L_8 = VirtFuncInvoker2< bool, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A , SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider/SessionInfo>::Equals(T,T) */, (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )L_6, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mACD0863BD9C5BC52D8209ED7B52C0DC6824D07C7_gshared (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider/SessionInfo>::GetHashCode(T) */, (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )((*(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)((SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m349BAE92273FBB80DAEF3C2B6660791EF683532A_gshared (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this); bool L_8 = VirtFuncInvoker2< bool, SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A , SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider/SessionInfo>::Equals(T,T) */, (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF *)__this, (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )((*(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)((SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )((*(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)((SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Diagnostics.Tracing.EventProvider_SessionInfo>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mB92203342935E4D0A752E667567A43C52EB72E85_gshared (EqualityComparer_1_t998EC77AE710777CF628230235325EFCE0737BEF * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Guid>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * EqualityComparer_1_get_Default_mF914C579CFCC74C416DF7ED267A3C484AEB384BF_gshared (const RuntimeMethod* method) { EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * V_0 = NULL; { EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * L_0 = ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)L_0; EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * L_2 = (( EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)L_2; EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Guid>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * EqualityComparer_1_CreateComparer_m18242C5753FFA716C6FFEA3D3F42E90AF05CC929_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m18242C5753FFA716C6FFEA3D3F42E90AF05CC929_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t63F49A3AB85A6A54BC975B84E460C6A7FA734EBF * L_65 = (ObjectEqualityComparer_1_t63F49A3AB85A6A54BC975B84E460C6A7FA734EBF *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t63F49A3AB85A6A54BC975B84E460C6A7FA734EBF *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Guid>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m4AC3A9DBF8D19B71BD06292D8F2031586B7FF9CE_gshared (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * __this, GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* ___array0, Guid_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Guid_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Guid_t L_7 = ___value1; NullCheck((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this); bool L_8 = VirtFuncInvoker2< bool, Guid_t , Guid_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Guid>::Equals(T,T) */, (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this, (Guid_t )L_6, (Guid_t )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Guid>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m08AD4A8F01F80C7119F1750C44041CC9B390595F_gshared (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * __this, GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* ___array0, Guid_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Guid_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Guid_t L_7 = ___value1; NullCheck((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this); bool L_8 = VirtFuncInvoker2< bool, Guid_t , Guid_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Guid>::Equals(T,T) */, (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this, (Guid_t )L_6, (Guid_t )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Guid>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m29A87370BEC8B82AEEFB7D5D8D46290C108F5B72_gshared (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Guid_t >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Guid>::GetHashCode(T) */, (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this, (Guid_t )((*(Guid_t *)((Guid_t *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Guid>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mEC9BDD3234F1BCF30854003C2EA6CEC6AD26DA8E_gshared (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this); bool L_8 = VirtFuncInvoker2< bool, Guid_t , Guid_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Guid>::Equals(T,T) */, (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this, (Guid_t )((*(Guid_t *)((Guid_t *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Guid_t )((*(Guid_t *)((Guid_t *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Guid>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m36741616389F18E8BE332190727FF7AEF8319C81_gshared (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Int32>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * EqualityComparer_1_get_Default_m29AB689E21B310DF9163AE628A014EC80A4EBC94_gshared (const RuntimeMethod* method) { EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * V_0 = NULL; { EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * L_0 = ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)L_0; EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * L_2 = (( EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)L_2; EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Int32>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * EqualityComparer_1_CreateComparer_m81D95191FB1E936EEDE12D0820E7C5B73623FA69_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m81D95191FB1E936EEDE12D0820E7C5B73623FA69_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t117904942E956E4CD5825EF603C2B7D12268CDCD * L_65 = (ObjectEqualityComparer_1_t117904942E956E4CD5825EF603C2B7D12268CDCD *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t117904942E956E4CD5825EF603C2B7D12268CDCD *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mF6D654A26B87A01E8A692EDBF327E9051ACBDE47_gshared (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * __this, Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; int32_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); int32_t L_7 = ___value1; NullCheck((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32>::Equals(T,T) */, (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this, (int32_t)L_6, (int32_t)L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mD0EB71F333E7E6ADBDF1A57778C4104B2C6308DA_gshared (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * __this, Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; int32_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); int32_t L_7 = ___value1; NullCheck((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32>::Equals(T,T) */, (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this, (int32_t)L_6, (int32_t)L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m9DFDFDF89EED5DBCB1FD18AEF29FB9BA74E862BB_gshared (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, int32_t >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32>::GetHashCode(T) */, (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this, (int32_t)((*(int32_t*)((int32_t*)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m518A54C522FC4854E6D6A59FB850A19AD7474B71_gshared (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32>::Equals(T,T) */, (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this, (int32_t)((*(int32_t*)((int32_t*)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (int32_t)((*(int32_t*)((int32_t*)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Int32>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mCD851203DF0E84736B407F195C9B23AF9FBF8FB1_gshared (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * EqualityComparer_1_get_Default_m288A9F99AC8135D64618DA688789C3AF29BB2AF9_gshared (const RuntimeMethod* method) { EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * V_0 = NULL; { EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * L_0 = ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)L_0; EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * L_2 = (( EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)L_2; EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * EqualityComparer_1_CreateComparer_m9511AEE64813F2E908922E9E9CC3933DC2649165_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m9511AEE64813F2E908922E9E9CC3933DC2649165_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tFD2C31148243BD367E1CDE9EF942038E39B56B33 * L_65 = (ObjectEqualityComparer_1_tFD2C31148243BD367E1CDE9EF942038E39B56B33 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tFD2C31148243BD367E1CDE9EF942038E39B56B33 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mFE57AFA02A80CC5641D12984B9502FA40AFDAB00_gshared (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * __this, Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; int32_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); int32_t L_7 = ___value1; NullCheck((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::Equals(T,T) */, (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this, (int32_t)L_6, (int32_t)L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m6F279DC560BC2DC682CB054FB5D688436A1F0CBD_gshared (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * __this, Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; int32_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); int32_t L_7 = ___value1; NullCheck((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::Equals(T,T) */, (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this, (int32_t)L_6, (int32_t)L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m2343C8C8C126EDA601D0FCBEF2756634A5381043_gshared (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, int32_t >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::GetHashCode(T) */, (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this, (int32_t)((*(int32_t*)((int32_t*)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mF71ECDF88D7E4FD7A7D61EA3E2F432ACB5F86FD5_gshared (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this); bool L_8 = VirtFuncInvoker2< bool, int32_t, int32_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::Equals(T,T) */, (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 *)__this, (int32_t)((*(int32_t*)((int32_t*)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (int32_t)((*(int32_t*)((int32_t*)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Int32Enum>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m9791B7EB5A07B46B4240843CC42F7F7F834A06A8_gshared (EqualityComparer_1_tD1E45FFD2812F3A647E425E6427770FF0DA20DD4 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Object>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * EqualityComparer_1_get_Default_m6C1AD693298F6DE71F53C3E0195113D21592E183_gshared (const RuntimeMethod* method) { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * V_0 = NULL; { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_0 = ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)L_0; EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_2 = (( EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)L_2; EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Object>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * EqualityComparer_1_CreateComparer_mC194D6144B146CE27C54450303A74F03D88AE6A3_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mC194D6144B146CE27C54450303A74F03D88AE6A3_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tD50026691EE506871EB25F1299E6D5B3974E2928 * L_65 = (ObjectEqualityComparer_1_tD50026691EE506871EB25F1299E6D5B3974E2928 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tD50026691EE506871EB25F1299E6D5B3974E2928 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Object>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m25FFD96038289160E75DECA35747895491F83604_gshared (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); RuntimeObject * L_7 = ___value1; NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this); bool L_8 = VirtFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Object>::Equals(T,T) */, (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this, (RuntimeObject *)L_6, (RuntimeObject *)L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Object>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mB31E150F76F5F236F05A3A4900F9DF75BBC17776_gshared (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; RuntimeObject * L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); RuntimeObject * L_7 = ___value1; NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this); bool L_8 = VirtFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Object>::Equals(T,T) */, (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this, (RuntimeObject *)L_6, (RuntimeObject *)L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Object>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mB30D3509FFF60D3DAAE08A6720B313312DE57D28_gshared (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, RuntimeObject * >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Object>::GetHashCode(T) */, (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this, (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Object>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m2654B693B9C3E556E466FDFA5B7ED1FC34C67EAD_gshared (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this); bool L_8 = VirtFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Object>::Equals(T,T) */, (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this, (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))), (RuntimeObject *)((RuntimeObject *)Castclass((RuntimeObject*)L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Object>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m2B03FB26184C766345AA072BEA38AA745AE2E192_gshared (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * EqualityComparer_1_get_Default_m8576BB382C684198AF143396AF2164E71929744C_gshared (const RuntimeMethod* method) { EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * V_0 = NULL; { EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * L_0 = ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)L_0; EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * L_2 = (( EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)L_2; EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * EqualityComparer_1_CreateComparer_m2205607EF82EF7D55ED0FAF2317C6C5828A792F6_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m2205607EF82EF7D55ED0FAF2317C6C5828A792F6_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tB1EFF066EC079BC7D4451859E4E0AB0071B1F372 * L_65 = (ObjectEqualityComparer_1_tB1EFF066EC079BC7D4451859E4E0AB0071B1F372 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tB1EFF066EC079BC7D4451859E4E0AB0071B1F372 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m2A685085DE46E2F31C744900F466A49AC2C0804B_gshared (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * __this, ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC* ___array0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_7 = ___value1; NullCheck((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this); bool L_8 = VirtFuncInvoker2< bool, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C , ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::Equals(T,T) */, (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )L_6, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mD157D2F1238306352DC607854769E071262719C4_gshared (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * __this, ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC* ___array0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { ResourceLocatorU5BU5D_t59B7EB7C559188316AF65FCF8AF05BFD7EF9ADCC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_7 = ___value1; NullCheck((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this); bool L_8 = VirtFuncInvoker2< bool, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C , ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::Equals(T,T) */, (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )L_6, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mDEAE7482F7CEF27440E3AFEE16D252C4EC728D7F_gshared (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::GetHashCode(T) */, (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )((*(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)((ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mC68721E716736CBF8D4DACD59EC8BB4CB6F8FE6E_gshared (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this); bool L_8 = VirtFuncInvoker2< bool, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C , ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::Equals(T,T) */, (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D *)__this, (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )((*(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)((ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )((*(ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)((ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Resources.ResourceLocator>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mEEDF1801605E0D6A587E8483E1FA6051D577FE08_gshared (EqualityComparer_1_t0904D27B79635C0AC267A86C34D85F99E07A355D * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Single>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * EqualityComparer_1_get_Default_mABC8AC84EFCCB925744623F2034A704F34F1BC74_gshared (const RuntimeMethod* method) { EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * V_0 = NULL; { EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * L_0 = ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)L_0; EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * L_2 = (( EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)L_2; EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.Single>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * EqualityComparer_1_CreateComparer_m45F13F5F8FFC71CAFA585017FB724C32E8272353_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m45F13F5F8FFC71CAFA585017FB724C32E8272353_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tFCE83B174E6862555A25BD4FB16632EC9F6A5AC2 * L_65 = (ObjectEqualityComparer_1_tFCE83B174E6862555A25BD4FB16632EC9F6A5AC2 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tFCE83B174E6862555A25BD4FB16632EC9F6A5AC2 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Single>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m76A737FCC2CE58C1D68D919ED535438A46328D00_gshared (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * __this, SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* ___array0, float ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; float L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); float L_7 = ___value1; NullCheck((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this); bool L_8 = VirtFuncInvoker2< bool, float, float >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Single>::Equals(T,T) */, (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this, (float)L_6, (float)L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Single>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m14706F2CACE187D0DF381E121734BD73E6EE7E5C_gshared (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * __this, SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* ___array0, float ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; float L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); float L_7 = ___value1; NullCheck((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this); bool L_8 = VirtFuncInvoker2< bool, float, float >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Single>::Equals(T,T) */, (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this, (float)L_6, (float)L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.Single>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m50524C3CCB72E419F60228DC46CD22FD80B56614_gshared (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, float >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.Single>::GetHashCode(T) */, (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this, (float)((*(float*)((float*)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.Single>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mA68712E59382EFF28624CC0C3D2AEAFF3BCD713C_gshared (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this); bool L_8 = VirtFuncInvoker2< bool, float, float >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Single>::Equals(T,T) */, (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this, (float)((*(float*)((float*)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (float)((*(float*)((float*)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.Single>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m830F061396B3D3AFCC5488093C489C2D5EA12C74_gshared (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.UInt64>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * EqualityComparer_1_get_Default_mE8B5AE2B4AE692C5032F69E0556131E77B92DFD0_gshared (const RuntimeMethod* method) { EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * V_0 = NULL; { EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * L_0 = ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)L_0; EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * L_2 = (( EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)L_2; EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<System.UInt64>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * EqualityComparer_1_CreateComparer_mF6DBE8A912EB55D7FBEBCAA57FC028D5AB24C892_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mF6DBE8A912EB55D7FBEBCAA57FC028D5AB24C892_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t7C8C1B3E211ADBC7253B79BA61F303DECA68E045 * L_65 = (ObjectEqualityComparer_1_t7C8C1B3E211ADBC7253B79BA61F303DECA68E045 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t7C8C1B3E211ADBC7253B79BA61F303DECA68E045 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.UInt64>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m62B8E4DF14426EF149C9DC00DD6935154E96EE1F_gshared (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * __this, UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___array0, uint64_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; uint64_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); uint64_t L_7 = ___value1; NullCheck((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this); bool L_8 = VirtFuncInvoker2< bool, uint64_t, uint64_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.UInt64>::Equals(T,T) */, (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this, (uint64_t)L_6, (uint64_t)L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.UInt64>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m54DAE18022A3C512626AB3ADF3F58944C9EC8EC9_gshared (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * __this, UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___array0, uint64_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; uint64_t L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); uint64_t L_7 = ___value1; NullCheck((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this); bool L_8 = VirtFuncInvoker2< bool, uint64_t, uint64_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.UInt64>::Equals(T,T) */, (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this, (uint64_t)L_6, (uint64_t)L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<System.UInt64>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mF27F576463329333EDAA35E1A0C2531CABC86FF4_gshared (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, uint64_t >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<System.UInt64>::GetHashCode(T) */, (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this, (uint64_t)((*(uint64_t*)((uint64_t*)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<System.UInt64>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m3F1BBE57191C88B9CF8B26A77E53F31A3BD98D90_gshared (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this); bool L_8 = VirtFuncInvoker2< bool, uint64_t, uint64_t >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.UInt64>::Equals(T,T) */, (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this, (uint64_t)((*(uint64_t*)((uint64_t*)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (uint64_t)((*(uint64_t*)((uint64_t*)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<System.UInt64>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mCDE18654FEA61766BB38776ECA7294F2637FCE59_gshared (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * EqualityComparer_1_get_Default_mFA85FC8A74DA43C06F53A3851BA4A428FF6786FB_gshared (const RuntimeMethod* method) { EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * V_0 = NULL; { EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * L_0 = ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)L_0; EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * L_2 = (( EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)L_2; EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * EqualityComparer_1_CreateComparer_mD03461CD1E584F563446BA3BA8440540DC735D59_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mD03461CD1E584F563446BA3BA8440540DC735D59_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t3050D316B73ABACCBDA5E0AA73D5D4498BF040A9 * L_65 = (ObjectEqualityComparer_1_t3050D316B73ABACCBDA5E0AA73D5D4498BF040A9 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t3050D316B73ABACCBDA5E0AA73D5D4498BF040A9 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mAB3D7F11454299B2E51ACDDAE7CC55910C63C905_gshared (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * __this, OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* ___array0, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_7 = ___value1; NullCheck((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this); bool L_8 = VirtFuncInvoker2< bool, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 , OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock>::Equals(T,T) */, (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )L_6, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mCEE0FC1CDE81564CE29B65723E2A9F2DC04BBE36_gshared (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * __this, OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* ___array0, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { OrderBlockU5BU5D_t1C62FB945EC1F218FB6301A770FBF3C67B0AA101* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 L_7 = ___value1; NullCheck((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this); bool L_8 = VirtFuncInvoker2< bool, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 , OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock>::Equals(T,T) */, (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )L_6, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mED92225605E293EC4B29E7BED35B0A712345AF5A_gshared (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock>::GetHashCode(T) */, (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )((*(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)((OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m8912F759ECAB2CC5DE10670CE583FA82487E59E2_gshared (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this); bool L_8 = VirtFuncInvoker2< bool, OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 , OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper/OrderBlock>::Equals(T,T) */, (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 *)__this, (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )((*(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)((OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 )((*(OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)((OrderBlock_t3B2BBCE8320FAEC3DB605F7DC9AB641102F53727 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.BeforeRenderHelper_OrderBlock>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mFB513B1AFAFA57DF06755A7A9BD3623E53985403_gshared (EqualityComparer_1_t0D8A0D07F0A489FDE0EF7548F8FB0525D28F70F7 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * EqualityComparer_1_get_Default_m1458F090AD73E74198432C7ADE3F92D7B4F187BB_gshared (const RuntimeMethod* method) { EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * V_0 = NULL; { EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * L_0 = ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)L_0; EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * L_2 = (( EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)L_2; EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * EqualityComparer_1_CreateComparer_mEF28225684B4B163DC17D4295A3A92AF5E7DD10B_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mEF28225684B4B163DC17D4295A3A92AF5E7DD10B_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t64DC60BCBC7C7BF32193C8B0D60614A00C4E1435 * L_65 = (ObjectEqualityComparer_1_t64DC60BCBC7C7BF32193C8B0D60614A00C4E1435 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t64DC60BCBC7C7BF32193C8B0D60614A00C4E1435 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mD534E861FF67DCF7445EDB4E5C245B5F434E1609_gshared (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * __this, Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983* ___array0, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 L_7 = ___value1; NullCheck((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this); bool L_8 = VirtFuncInvoker2< bool, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 , Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::Equals(T,T) */, (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )L_6, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m4901D1D9AD55041A5F2FF6A414918FB2DDF4832E_gshared (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * __this, Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983* ___array0, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Color32U5BU5D_tABFBCB467E6D1B791303A0D3A3AA1A482F620983* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 L_7 = ___value1; NullCheck((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this); bool L_8 = VirtFuncInvoker2< bool, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 , Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::Equals(T,T) */, (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )L_6, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m5BB60AD6A9F5EE0822D5C48B1E81B5056FF2EA03_gshared (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::GetHashCode(T) */, (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )((*(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)((Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m72D2866D87FAEDCAD2CE5763F1C62B409F25C079_gshared (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this); bool L_8 = VirtFuncInvoker2< bool, Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 , Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::Equals(T,T) */, (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 *)__this, (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )((*(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)((Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 )((*(Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)((Color32_t23ABC4AE0E0BDFD2E22EE1FA0DA3904FFE5F6E23 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.Color32>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mDE6B9C8522E14BC09878B41E982C2BF8573F1C49_gshared (EqualityComparer_1_t64516AE22515640CA46E6ACDBB51EB38AE8BA243 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * EqualityComparer_1_get_Default_mF00666A8FF4B7CD931ACEEAA80513E5E4D74ABC9_gshared (const RuntimeMethod* method) { EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * V_0 = NULL; { EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * L_0 = ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)L_0; EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * L_2 = (( EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)L_2; EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * EqualityComparer_1_CreateComparer_m7D6B16C8FE20DD6B58F6E6CB6CA026923259D20B_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m7D6B16C8FE20DD6B58F6E6CB6CA026923259D20B_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t0BC5E9777D652F38FEF7F0F0D8AAEA74E8F959BF * L_65 = (ObjectEqualityComparer_1_t0BC5E9777D652F38FEF7F0F0D8AAEA74E8F959BF *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t0BC5E9777D652F38FEF7F0F0D8AAEA74E8F959BF *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m6C747EE7979B183BD3B146A0B2D60C7F377DA2CD_gshared (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * __this, RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65* ___array0, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 L_7 = ___value1; NullCheck((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this); bool L_8 = VirtFuncInvoker2< bool, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 , RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::Equals(T,T) */, (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )L_6, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m3B4434D2C9DB1E0FF71F8B08987F7953FC5588A8_gshared (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * __this, RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65* ___array0, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { RaycastResultU5BU5D_t9A7AEDFED07FDC6A5F4E1F1C064699FCC9745D65* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 L_7 = ___value1; NullCheck((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this); bool L_8 = VirtFuncInvoker2< bool, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 , RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::Equals(T,T) */, (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )L_6, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m56BC95CC865997EBC20FA5F08390DD90164851E4_gshared (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::GetHashCode(T) */, (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )((*(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)((RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m674FD95FC2864C1CF62C770F8612949A8D343811_gshared (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this); bool L_8 = VirtFuncInvoker2< bool, RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 , RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::Equals(T,T) */, (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A *)__this, (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )((*(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)((RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 )((*(RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)((RaycastResult_t991BCED43A91EDD8580F39631DA07B1F88C58B91 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.EventSystems.RaycastResult>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m8F41B3014FD8E66B7935C9CD079514702275F5B1_gshared (EqualityComparer_1_t4814B5237F2155B9F52EA643AB3CCEBDC093964A * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * EqualityComparer_1_get_Default_m12D4536FB254593E91426D5527E62F6B6E319652_gshared (const RuntimeMethod* method) { EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * V_0 = NULL; { EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * L_0 = ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)L_0; EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * L_2 = (( EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)L_2; EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * EqualityComparer_1_CreateComparer_mB67B2D0FA7875878D19F0B8847044B505D553877_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mB67B2D0FA7875878D19F0B8847044B505D553877_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tB5BFFDB9EAFB9FEAAA84EDD21CFD947FC1C5A095 * L_65 = (ObjectEqualityComparer_1_tB5BFFDB9EAFB9FEAAA84EDD21CFD947FC1C5A095 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tB5BFFDB9EAFB9FEAAA84EDD21CFD947FC1C5A095 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m2A5923F91E119F355BD2C454C99ED71144669C1D_gshared (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * __this, ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* ___array0, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_7 = ___value1; NullCheck((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this); bool L_8 = VirtFuncInvoker2< bool, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA , ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::Equals(T,T) */, (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_6, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m868BCAA99583B89A8975F34E75FD9E2E43F67585_gshared (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * __this, ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* ___array0, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_7 = ___value1; NullCheck((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this); bool L_8 = VirtFuncInvoker2< bool, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA , ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::Equals(T,T) */, (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_6, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m8B79CD09B93176728E675057D3E68A06148BAF7A_gshared (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::GetHashCode(T) */, (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )((*(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m93531DBCAC5C4133E69A4C9C653379AFDF1FAE51_gshared (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this); bool L_8 = VirtFuncInvoker2< bool, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA , ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::Equals(T,T) */, (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this, (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )((*(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )((*(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.ColorBlock>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m50B4EC1F427ED65621EF36FB1B9444F659C11703_gshared (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * EqualityComparer_1_get_Default_mF6101C8DE8CB48FCA2D6F6233210EE64334FE31B_gshared (const RuntimeMethod* method) { EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * V_0 = NULL; { EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * L_0 = ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)L_0; EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * L_2 = (( EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)L_2; EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * EqualityComparer_1_CreateComparer_m3026EA84E55488E5D97A90E828D78D8109FAFDA9_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m3026EA84E55488E5D97A90E828D78D8109FAFDA9_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t232707B52993002BCF4F9CD86A3490E5CE2FB365 * L_65 = (ObjectEqualityComparer_1_t232707B52993002BCF4F9CD86A3490E5CE2FB365 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t232707B52993002BCF4F9CD86A3490E5CE2FB365 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m1E120489E1A2551F1730C6CD824180243329CD61_gshared (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * __this, NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* ___array0, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_7 = ___value1; NullCheck((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this); bool L_8 = VirtFuncInvoker2< bool, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 , Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::Equals(T,T) */, (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_6, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mA6838E59F424C9E1A9A2964A859AB53A284B6D5C_gshared (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * __this, NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* ___array0, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_7 = ___value1; NullCheck((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this); bool L_8 = VirtFuncInvoker2< bool, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 , Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::Equals(T,T) */, (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_6, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m0F140C7DADE907E3B9B47153CF9F24F491ECEFF6_gshared (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::GetHashCode(T) */, (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )((*(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mBE60EDF7EC99F63E08334EF24575CE71A03E3EF9_gshared (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this); bool L_8 = VirtFuncInvoker2< bool, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 , Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::Equals(T,T) */, (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this, (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )((*(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )((*(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.Navigation>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mCF2E6A14067F1F07DAE574DE18BF714C3E423CDD_gshared (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * EqualityComparer_1_get_Default_mB87FFFC4A3F25356D3F07CCAFA855756E502308B_gshared (const RuntimeMethod* method) { EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * V_0 = NULL; { EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * L_0 = ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)L_0; EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * L_2 = (( EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)L_2; EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * EqualityComparer_1_CreateComparer_m32C8D4DC5F60D979F8B1D311EEEC2DF099B3B43F_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m32C8D4DC5F60D979F8B1D311EEEC2DF099B3B43F_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t2FCEBB7F8CF8AAAE10CAC86A0D6402583C12A8BF * L_65 = (ObjectEqualityComparer_1_t2FCEBB7F8CF8AAAE10CAC86A0D6402583C12A8BF *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t2FCEBB7F8CF8AAAE10CAC86A0D6402583C12A8BF *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m7ED4B6D88C5F7718BDAC4BFEDD0EAEA4A2ED735D_gshared (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * __this, SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* ___array0, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_7 = ___value1; NullCheck((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this); bool L_8 = VirtFuncInvoker2< bool, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A , SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::Equals(T,T) */, (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_6, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mF3008A8D5575014218D67B2EB0C697225F1CCB63_gshared (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * __this, SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* ___array0, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_7 = ___value1; NullCheck((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this); bool L_8 = VirtFuncInvoker2< bool, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A , SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::Equals(T,T) */, (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_6, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m079F8590582128571AA7440B481154BC6170D681_gshared (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::GetHashCode(T) */, (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )((*(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mAEAD80B4D2DAC28FCF1834F75D80752EC88A0E0B_gshared (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this); bool L_8 = VirtFuncInvoker2< bool, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A , SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::Equals(T,T) */, (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this, (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )((*(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )((*(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UI.SpriteState>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m01D5C66C8A14A2F612410E2EACA01BA922025332_gshared (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * EqualityComparer_1_get_Default_m44E90412EC2BCDB4316D385DCDB673D80620213E_gshared (const RuntimeMethod* method) { EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * V_0 = NULL; { EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * L_0 = ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)L_0; EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * L_2 = (( EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)L_2; EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * EqualityComparer_1_CreateComparer_m2AA9932DD5B540A9357760DA942DCE1F556D766F_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m2AA9932DD5B540A9357760DA942DCE1F556D766F_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tB144D63B7B88E9C13D2B7538B9342E5CD39CC52F * L_65 = (ObjectEqualityComparer_1_tB144D63B7B88E9C13D2B7538B9342E5CD39CC52F *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tB144D63B7B88E9C13D2B7538B9342E5CD39CC52F *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m7A4A5FC003F2CD858C505BA2A4532A9F00963585_gshared (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * __this, UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482* ___array0, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A L_7 = ___value1; NullCheck((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this); bool L_8 = VirtFuncInvoker2< bool, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A , UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::Equals(T,T) */, (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )L_6, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mC692CA33EEF2256B3EC657230041364A7DD29828_gshared (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * __this, UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482* ___array0, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { UICharInfoU5BU5D_t8C4FF69B643D49D3881FCB7A8525C5C5A9367482* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A L_7 = ___value1; NullCheck((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this); bool L_8 = VirtFuncInvoker2< bool, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A , UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::Equals(T,T) */, (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )L_6, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m6A627EB8F005DF5385AB21166DF9F2D51A70CC10_gshared (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::GetHashCode(T) */, (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )((*(UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)((UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mC292156AD250BAB80288246A960370385F032053_gshared (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this); bool L_8 = VirtFuncInvoker2< bool, UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A , UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::Equals(T,T) */, (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D *)__this, (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )((*(UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)((UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A )((*(UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)((UICharInfo_tB4C92043A686A600D36A92E3108F173C499E318A *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UICharInfo>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mBC11008FCA5716E218411C648A02F7122EDD4C39_gshared (EqualityComparer_1_tC9FE6AC7127ED7A22F717A9EF3208401E3C1D28D * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * EqualityComparer_1_get_Default_mACDCA8BC7F18AD02C6CE4F86F216EC4558D12B67_gshared (const RuntimeMethod* method) { EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * V_0 = NULL; { EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * L_0 = ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)L_0; EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * L_2 = (( EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)L_2; EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * EqualityComparer_1_CreateComparer_m9473A5B685735B77568EC6B3D49A16D1D42D5959_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m9473A5B685735B77568EC6B3D49A16D1D42D5959_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t5C085441C03A1A3205DBF735F8B303E9F42F83AA * L_65 = (ObjectEqualityComparer_1_t5C085441C03A1A3205DBF735F8B303E9F42F83AA *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t5C085441C03A1A3205DBF735F8B303E9F42F83AA *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mB8B1276B94D93D08F795A61B9CC8102884D44102_gshared (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * __this, UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC* ___array0, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 L_7 = ___value1; NullCheck((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this); bool L_8 = VirtFuncInvoker2< bool, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 , UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::Equals(T,T) */, (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )L_6, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m5761C9AE847F33DDDA3F679C761860DB8DF5C0AB_gshared (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * __this, UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC* ___array0, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { UILineInfoU5BU5D_t923CC56F4D67E9FA97CC73992DF16268B6A54FAC* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 L_7 = ___value1; NullCheck((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this); bool L_8 = VirtFuncInvoker2< bool, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 , UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::Equals(T,T) */, (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )L_6, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m7C87CE18550513C0616436DD2A752F6985580825_gshared (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::GetHashCode(T) */, (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )((*(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)((UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mE7C294BF246622FDC027A396B19636428F26E815_gshared (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this); bool L_8 = VirtFuncInvoker2< bool, UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 , UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::Equals(T,T) */, (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 *)__this, (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )((*(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)((UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 )((*(UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)((UILineInfo_t0AF27251CA07CEE2BC0C1FEF752245596B8033E6 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UILineInfo>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mF175175B78E94BA479A4E0CA9F0C8023CDE61305_gshared (EqualityComparer_1_tF33A333C3CC9DCBB0DA73EBB7975182A3CA3FDB6 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * EqualityComparer_1_get_Default_mF6E54507364D2BDC4232A9B569836C58723BDFA4_gshared (const RuntimeMethod* method) { EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * V_0 = NULL; { EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * L_0 = ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)L_0; EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * L_2 = (( EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)L_2; EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * EqualityComparer_1_CreateComparer_m99892DB0566688D7661638CAE6271B9DADCA758D_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m99892DB0566688D7661638CAE6271B9DADCA758D_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t44040CDA42D5EFF409A77155FC0A04D7DF9ABC36 * L_65 = (ObjectEqualityComparer_1_t44040CDA42D5EFF409A77155FC0A04D7DF9ABC36 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t44040CDA42D5EFF409A77155FC0A04D7DF9ABC36 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mD60F63F69417A9F48F5BC38C533BFE4D7737BB14_gshared (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * __this, UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A* ___array0, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 L_7 = ___value1; NullCheck((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this); bool L_8 = VirtFuncInvoker2< bool, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 , UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::Equals(T,T) */, (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )L_6, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m3DAE747FA4A7B230D7E292D2421E51121C08FE19_gshared (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * __this, UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A* ___array0, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { UIVertexU5BU5D_tB560F9F9269864891FCE1677971F603A08AA857A* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 L_7 = ___value1; NullCheck((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this); bool L_8 = VirtFuncInvoker2< bool, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 , UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::Equals(T,T) */, (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )L_6, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mC9445DF4BF4A7605C280AA51C58AB2D7B78A56A7_gshared (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::GetHashCode(T) */, (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )((*(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)((UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m96E5CD3359973A61B975DFFE1EF9BBC28572BCA7_gshared (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this); bool L_8 = VirtFuncInvoker2< bool, UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 , UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::Equals(T,T) */, (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 *)__this, (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )((*(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)((UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 )((*(UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)((UIVertex_t0583C35B730B218B542E80203F5F4BC6F1E9E577 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UIVertex>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m56CAADC39D56C11C5DB71B4F19B050A628620D5D_gshared (EqualityComparer_1_t7443BABD4F571AE906F5407888530FDE8F1EE9E7 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * EqualityComparer_1_get_Default_m1B9254A8BE8795663A784B0146C8824ED7E49D6B_gshared (const RuntimeMethod* method) { EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * V_0 = NULL; { EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * L_0 = ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)L_0; EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * L_2 = (( EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)L_2; EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * EqualityComparer_1_CreateComparer_m0F8F479E7775A62D1123851F1E9692BD779AEDA1_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m0F8F479E7775A62D1123851F1E9692BD779AEDA1_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t5EC219A01136E8ED50105145488501B4DC5FF637 * L_65 = (ObjectEqualityComparer_1_t5EC219A01136E8ED50105145488501B4DC5FF637 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t5EC219A01136E8ED50105145488501B4DC5FF637 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mED0D8EEC2E4A537B6800BF5DE3866351511D1839_gshared (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * __this, WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ___array0, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_7 = ___value1; NullCheck((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this); bool L_8 = VirtFuncInvoker2< bool, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 , WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Equals(T,T) */, (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )L_6, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_mE2FA73CFFBF0946BACC9F5632C9CD04F523BC95F_gshared (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * __this, WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* ___array0, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { WorkRequestU5BU5D_tB89678B9C27973604A434C63C8BD307990C8EBF0* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 L_7 = ___value1; NullCheck((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this); bool L_8 = VirtFuncInvoker2< bool, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 , WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Equals(T,T) */, (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )L_6, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m7F86950F961A13EF874BE3F23784AF81D7986080_gshared (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::GetHashCode(T) */, (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )((*(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)((WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mFD8267B7C6EB4DFAB1E9B2FA9EBF9589A2D80409_gshared (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this); bool L_8 = VirtFuncInvoker2< bool, WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 , WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext/WorkRequest>::Equals(T,T) */, (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 *)__this, (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )((*(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)((WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 )((*(WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)((WorkRequest_t0247B62D135204EAA95FC0B2EC829CB27B433F94 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.UnitySynchronizationContext_WorkRequest>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mA082358769A7274F7885F3D39B86FD9CE0360269_gshared (EqualityComparer_1_t3BC42857E36209A693BF3CE884A5A4699FC68B79 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * EqualityComparer_1_get_Default_mF781459153CF3A08E1FF573AB8C209E93FE5BA4C_gshared (const RuntimeMethod* method) { EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * V_0 = NULL; { EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * L_0 = ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)L_0; EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * L_2 = (( EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)L_2; EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * EqualityComparer_1_CreateComparer_m91C0A135F052854A67AF577774BEF68F81FA8D73_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_m91C0A135F052854A67AF577774BEF68F81FA8D73_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t17A13BE2938FD8C9096AE222EFF67BE87A6AC183 * L_65 = (ObjectEqualityComparer_1_t17A13BE2938FD8C9096AE222EFF67BE87A6AC183 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t17A13BE2938FD8C9096AE222EFF67BE87A6AC183 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m5394E828C9AB8CE9ADAFCCE99F1F5EAE5BCD02E9_gshared (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * __this, Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* ___array0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = ___value1; NullCheck((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D , Vector2_tA85D2DD88578276CA8A8796756458277E72D073D >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::Equals(T,T) */, (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_6, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m9A1EC152ECE6123782FB12C56C692D13EC96DA23_gshared (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * __this, Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* ___array0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = ___value1; NullCheck((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D , Vector2_tA85D2DD88578276CA8A8796756458277E72D073D >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::Equals(T,T) */, (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_6, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m11B4B69D936C5A63B7FBD24F8BF7493CBE54EE04_gshared (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::GetHashCode(T) */, (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )((*(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_m216C0192CE924513A705B2C2017DEF6F08A8E14B_gshared (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D , Vector2_tA85D2DD88578276CA8A8796756458277E72D073D >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::Equals(T,T) */, (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this, (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )((*(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )((*(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector2>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m807DA52DA1806C4BCFA2FCC105FC4E1C2B29A1A4_gshared (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * EqualityComparer_1_get_Default_mDA5F0EA13379BCFEF03CB22FCF6A31FBE4285193_gshared (const RuntimeMethod* method) { EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * V_0 = NULL; { EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * L_0 = ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)L_0; EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * L_2 = (( EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)L_2; EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * EqualityComparer_1_CreateComparer_mFDFB6339F0AA48B8766B629B54CBF6A5E2E6B97D_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mFDFB6339F0AA48B8766B629B54CBF6A5E2E6B97D_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_tB5EB64014B944719BED043294D9A58C0BBBF7869 * L_65 = (ObjectEqualityComparer_1_tB5EB64014B944719BED043294D9A58C0BBBF7869 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_tB5EB64014B944719BED043294D9A58C0BBBF7869 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_m5050AE2C8435DDF495616C6939E4181D41844372_gshared (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___array0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = ___value1; NullCheck((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 , Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::Equals(T,T) */, (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_6, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m73067CBCB3AA8EE09E13C4802BE0A5084B4AE9D3_gshared (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___array0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = ___value1; NullCheck((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 , Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::Equals(T,T) */, (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_6, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_mF9B2161F046708A59193371D796456129C428AC5_gshared (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::GetHashCode(T) */, (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )((*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mE26B744A1BA29290C787D2B1EB9CAE821F29E818_gshared (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 , Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::Equals(T,T) */, (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )((*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )((*(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector3>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_mF4357E8FE19F57EEF1DFE3B8E9C3A79BB7163741_gshared (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::get_Default() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * EqualityComparer_1_get_Default_m78BBCF7A75F9AFECE0D9884C0BDFECA7F3EE5BA9_gshared (const RuntimeMethod* method) { EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * V_0 = NULL; { EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * L_0 = ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->get_defaultComparer_0(); il2cpp_codegen_memory_barrier(); V_0 = (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)L_0; EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * L_1 = V_0; if (L_1) { goto IL_0019; } } { EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * L_2 = (( EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); V_0 = (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)L_2; EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * L_3 = V_0; il2cpp_codegen_memory_barrier(); ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA_StaticFields*)il2cpp_codegen_static_fields_for(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 0)))->set_defaultComparer_0(L_3); } IL_0019: { EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * L_4 = V_0; return L_4; } } // System.Collections.Generic.EqualityComparer`1<T> System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::CreateComparer() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * EqualityComparer_1_CreateComparer_mD3B1BEE4D05505AA57D05F3181376F669107E465_gshared (const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (EqualityComparer_1_CreateComparer_mD3B1BEE4D05505AA57D05F3181376F669107E465_MetadataUsageId); s_Il2CppMethodInitialized = true; } RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_0 = NULL; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * V_1 = NULL; int32_t V_2 = 0; { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_0 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 2)) }; 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 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_1, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_2 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_3 = { reinterpret_cast<intptr_t> (Byte_tF87C579059BD4633E6840EBBBEEF899C6E33EF07_0_0_0_var) }; Type_t * L_4 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_3, /*hidden argument*/NULL); bool L_5 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_2, (Type_t *)L_4, /*hidden argument*/NULL); if (!L_5) { goto IL_002d; } } { ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B * L_6 = (ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B *)il2cpp_codegen_object_new(ByteEqualityComparer_t45A85C063C30D3CDABEAD21C8CDF353E3EE55B8B_il2cpp_TypeInfo_var); ByteEqualityComparer__ctor_m2B86B16398C9ADBA996127A209179E9654EF6A68(L_6, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_002d: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_7 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_8 = { reinterpret_cast<intptr_t> (String_t_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_9 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_8, /*hidden argument*/NULL); bool L_10 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_7, (Type_t *)L_9, /*hidden argument*/NULL); if (!L_10) { goto IL_004a; } } { InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD * L_11 = (InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD *)il2cpp_codegen_object_new(InternalStringComparer_tCD150130A3DB4C80186B5D8145B910B33496D4CD_il2cpp_TypeInfo_var); InternalStringComparer__ctor_m471FF151AF831B76635ED96C53CF08114FD42C83(L_11, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_11, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_004a: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(InitializedTypeInfo(method->klass)->rgctx_data, 4)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_14 = V_0; NullCheck((Type_t *)L_13); bool L_15 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_13, (Type_t *)L_14); if (!L_15) { goto IL_0072; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_16 = { reinterpret_cast<intptr_t> (GenericEqualityComparer_1_t86530EF2BF9E43CCEE775B5862B48F735555A90B_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_17 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_16, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_18 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_19 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_17, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_18, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_19, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0072: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_20 = V_0; NullCheck((Type_t *)L_20); bool L_21 = VirtFuncInvoker0< bool >::Invoke(74 /* System.Boolean System.Type::get_IsGenericType() */, (Type_t *)L_20); if (!L_21) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_22 = V_0; NullCheck((Type_t *)L_22); Type_t * L_23 = VirtFuncInvoker0< Type_t * >::Invoke(99 /* System.Type System.Type::GetGenericTypeDefinition() */, (Type_t *)L_22); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_24 = { reinterpret_cast<intptr_t> (Nullable_1_t220FFA40D2CEE2CB28F8C04DB1216024A0BC75C3_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_25 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_24, /*hidden argument*/NULL); bool L_26 = Type_op_Equality_m7040622C9E1037EFC73E1F0EDB1DD241282BE3D8((Type_t *)L_23, (Type_t *)L_25, /*hidden argument*/NULL); if (!L_26) { goto IL_00d6; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_27 = V_0; NullCheck((Type_t *)L_27); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_28 = VirtFuncInvoker0< TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(98 /* System.Type[] System.Type::GetGenericArguments() */, (Type_t *)L_27); NullCheck(L_28); int32_t L_29 = 0; Type_t * L_30 = (L_28)->GetAt(static_cast<il2cpp_array_size_t>(L_29)); V_1 = (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)((RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)Castclass((RuntimeObject*)L_30, RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var)); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_31 = { reinterpret_cast<intptr_t> (IEquatable_1_t7FBC51A9FCBF69422C0DEBF035FFDC9417EF3DA1_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_32 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_31, /*hidden argument*/NULL); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_33 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)SZArrayNew(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F_il2cpp_TypeInfo_var, (uint32_t)1); TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* L_34 = (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_33; RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_35 = V_1; NullCheck(L_34); ArrayElementTypeCheck (L_34, L_35); (L_34)->SetAt(static_cast<il2cpp_array_size_t>(0), (Type_t *)L_35); NullCheck((Type_t *)L_32); Type_t * L_36 = VirtFuncInvoker1< Type_t *, TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* >::Invoke(94 /* System.Type System.Type::MakeGenericType(System.Type[]) */, (Type_t *)L_32, (TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F*)L_34); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_37 = V_1; NullCheck((Type_t *)L_36); bool L_38 = VirtFuncInvoker1< bool, Type_t * >::Invoke(108 /* System.Boolean System.Type::IsAssignableFrom(System.Type) */, (Type_t *)L_36, (Type_t *)L_37); if (!L_38) { goto IL_00d6; } } { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_39 = { reinterpret_cast<intptr_t> (NullableEqualityComparer_1_tD235D1E336771C9615EB5024AC8C35CFF8ADD27F_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_40 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_39, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_41 = V_1; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_42 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_40, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_41, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_42, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_00d6: { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_43 = V_0; NullCheck((Type_t *)L_43); bool L_44 = VirtFuncInvoker0< bool >::Invoke(70 /* System.Boolean System.Type::get_IsEnum() */, (Type_t *)L_43); if (!L_44) { goto IL_016f; } } { RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_45 = V_0; IL2CPP_RUNTIME_CLASS_INIT(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_il2cpp_TypeInfo_var); Type_t * L_46 = Enum_GetUnderlyingType_m0715B4E60E6909F03FF7302B6E20B1AB88DA84B1((Type_t *)L_45, /*hidden argument*/NULL); IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); int32_t L_47 = Type_GetTypeCode_m3105BBCE671D89EFE212F9BA06AAB90944A6116F((Type_t *)L_46, /*hidden argument*/NULL); V_2 = (int32_t)L_47; int32_t L_48 = V_2; switch (((int32_t)il2cpp_codegen_subtract((int32_t)L_48, (int32_t)5))) { case 0: { goto IL_012d; } case 1: { goto IL_0143; } case 2: { goto IL_0117; } case 3: { goto IL_0143; } case 4: { goto IL_0143; } case 5: { goto IL_0143; } case 6: { goto IL_0159; } case 7: { goto IL_0159; } } } { goto IL_016f; } IL_0117: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_49 = { reinterpret_cast<intptr_t> (ShortEnumEqualityComparer_1_tCB4B7DE9F58431002227076F18CFFC289C6CBD64_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_50 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_49, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_51 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_52 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_50, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_51, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_52, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_012d: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_53 = { reinterpret_cast<intptr_t> (SByteEnumEqualityComparer_1_t0E5A82C922F801F365CCC4BE3062A765423A5852_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_54 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_53, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_55 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_56 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_54, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_55, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_56, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0143: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_57 = { reinterpret_cast<intptr_t> (EnumEqualityComparer_1_tC44C7E08405BCDA86FDDFB9714C4301D39723C3A_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_58 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_57, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_59 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_60 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_58, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_59, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_60, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_0159: { RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_61 = { reinterpret_cast<intptr_t> (LongEnumEqualityComparer_1_t6B940FD5688E20A1CF36AD68CCF3A39071FFB0DB_0_0_0_var) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_62 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_61, /*hidden argument*/NULL); RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F * L_63 = V_0; IL2CPP_RUNTIME_CLASS_INIT(RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F_il2cpp_TypeInfo_var); RuntimeObject * L_64 = RuntimeType_CreateInstanceForAnotherGenericParameter_mFAF735890E821AF021168FCBAC1AA6BFA49586F4((Type_t *)L_62, (RuntimeType_t40F13BCEAD97478C72C4B40BFDC2A220161CDB8F *)L_63, /*hidden argument*/NULL); return ((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)Castclass((RuntimeObject*)L_64, IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3))); } IL_016f: { ObjectEqualityComparer_1_t10273D1F45DD715084B57465B5B74B74AE9E55B2 * L_65 = (ObjectEqualityComparer_1_t10273D1F45DD715084B57465B5B74B74AE9E55B2 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 5)); (( void (*) (ObjectEqualityComparer_1_t10273D1F45DD715084B57465B5B74B74AE9E55B2 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)->methodPointer)(L_65, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 6)); return L_65; } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_IndexOf_mEBECC4D762696FD11D80DD29CCEC62B797A58B2C_gshared (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * __this, Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* ___array0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_001f; } IL_0009: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_7 = ___value1; NullCheck((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E , Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::Equals(T,T) */, (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_6, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_7); if (!L_8) { goto IL_001b; } } { int32_t L_9 = V_1; return L_9; } IL_001b: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1)); } IL_001f: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) < ((int32_t)L_12))) { goto IL_0009; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_LastIndexOf_m122B18D7579590AC2BD616B5CA0F5D5B11C0F753_gshared (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * __this, Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* ___array0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); int32_t L_2 = ___startIndex2; V_1 = (int32_t)L_2; goto IL_0021; } IL_000b: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_3 = ___array0; int32_t L_4 = V_1; NullCheck(L_3); int32_t L_5 = L_4; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_6 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_5)); Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_7 = ___value1; NullCheck((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E , Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::Equals(T,T) */, (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_6, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_7); if (!L_8) { goto IL_001d; } } { int32_t L_9 = V_1; return L_9; } IL_001d: { int32_t L_10 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_10, (int32_t)1)); } IL_0021: { int32_t L_11 = V_1; int32_t L_12 = V_0; if ((((int32_t)L_11) >= ((int32_t)L_12))) { goto IL_000b; } } { return (-1); } } // System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::System.Collections.IEqualityComparer.GetHashCode(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t EqualityComparer_1_System_Collections_IEqualityComparer_GetHashCode_m02E7BDAFB7D087C211CD59ADA34A3555E13204CF_gshared (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_0005; } } { return 0; } IL_0005: { RuntimeObject * L_1 = ___obj0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_1, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_001a; } } { RuntimeObject * L_2 = ___obj0; NullCheck((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this); int32_t L_3 = VirtFuncInvoker1< int32_t, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E >::Invoke(9 /* System.Int32 System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::GetHashCode(T) */, (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )((*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)UnBox(L_2, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_3; } IL_001a: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return 0; } } // System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::System.Collections.IEqualityComparer.Equals(System.Object,System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool EqualityComparer_1_System_Collections_IEqualityComparer_Equals_mFDF85CD469B8DBFEA697A50665270BC8FEE95F87_gshared (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; RuntimeObject * L_1 = ___y1; if ((!(((RuntimeObject*)(RuntimeObject *)L_0) == ((RuntimeObject*)(RuntimeObject *)L_1)))) { goto IL_0006; } } { return (bool)1; } IL_0006: { RuntimeObject * L_2 = ___x0; if (!L_2) { goto IL_000c; } } { RuntimeObject * L_3 = ___y1; if (L_3) { goto IL_000e; } } IL_000c: { return (bool)0; } IL_000e: { RuntimeObject * L_4 = ___x0; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_4, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_5 = ___y1; if (!((RuntimeObject *)IsInst((RuntimeObject*)L_5, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))) { goto IL_0031; } } { RuntimeObject * L_6 = ___x0; RuntimeObject * L_7 = ___y1; NullCheck((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this); bool L_8 = VirtFuncInvoker2< bool, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E , Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::Equals(T,T) */, (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this, (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )((*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)UnBox(L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8))))), (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )((*(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)UnBox(L_7, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8)))))); return L_8; } IL_0031: { ThrowHelper_ThrowArgumentException_mC79DA77CCE9B239510DDD4C46043FC216B2A5B84((int32_t)2, /*hidden argument*/NULL); return (bool)0; } } // System.Void System.Collections.Generic.EqualityComparer`1<UnityEngine.Vector4>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void EqualityComparer_1__ctor_m713D42EEF4CC5C2A0251954A2BD34EE6F47C9B18_gshared (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int32 System.Collections.Generic.GenericComparer`1<System.Byte>::Compare(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_Compare_mFA1906C7AB692652A6BEFC075A365C2EDA7D4241_gshared (GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E * __this, uint8_t ___x0, uint8_t ___y1, const RuntimeMethod* method) { { } { } { uint8_t L_2 = ___y1; int32_t L_3 = Byte_CompareTo_m928FA81F92D3A4D461F22BB4F82CF9D3B19B8376((uint8_t*)(uint8_t*)(&___x0), (uint8_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return 1; } IL_0021: { } { return (-1); } IL_002b: { return 0; } } // System.Boolean System.Collections.Generic.GenericComparer`1<System.Byte>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericComparer_1_Equals_m5C5EE88ADB3F5AE0BBB70C5CA751280C2A17126F_gshared (GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E *)((GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericComparer`1<System.Byte>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_GetHashCode_m12D836C8CC12A153E1B58E02D62663743DA5E92A_gshared (GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericComparer`1<System.Byte>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericComparer_1__ctor_mA810FFF120D41C44F256FB31E11FD0D39CF7EC71_gshared (GenericComparer_1_tE56A3296FB8E7E239880D96F677A656BA55B437E * __this, const RuntimeMethod* method) { { NullCheck((Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 *)__this); (( void (*) (Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((Comparer_1_t33CE92D82F229EC6366D34DA49A8EF74FD76BA50 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int32 System.Collections.Generic.GenericComparer`1<System.Int32>::Compare(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_Compare_m2980C1AF1A9F558A6C40919B731E09884364D3A4_gshared (GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E * __this, int32_t ___x0, int32_t ___y1, const RuntimeMethod* method) { { } { } { int32_t L_2 = ___y1; int32_t L_3 = Int32_CompareTo_m2EB2B72F9095FF3438D830118D57E32E1CC67195((int32_t*)(int32_t*)(&___x0), (int32_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return 1; } IL_0021: { } { return (-1); } IL_002b: { return 0; } } // System.Boolean System.Collections.Generic.GenericComparer`1<System.Int32>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericComparer_1_Equals_mD1F19D384CFD2F0AF41881AEBAAC99613B2DAD99_gshared (GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E *)((GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericComparer`1<System.Int32>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_GetHashCode_m63D5A77CA459AB711BC4A9F0AFA7E41A73E3C776_gshared (GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericComparer`1<System.Int32>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericComparer_1__ctor_m672D3DB8DBDC265D9D77BA87E309C052F6CDFBD5_gshared (GenericComparer_1_tE94FC1EA585FF1D1F68DB9833CE0631E2D20679E * __this, const RuntimeMethod* method) { { NullCheck((Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 *)__this); (( void (*) (Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((Comparer_1_t0796DB4CA0FA9609FBB2A6AEBA7EDF7DD7EE23A2 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int32 System.Collections.Generic.GenericComparer`1<System.Object>::Compare(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_Compare_m0250B6D46213CEB44ACBA70BCC5F3BD2C15DD67D_gshared (GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; if (!L_0) { goto IL_0021; } } { RuntimeObject * L_1 = ___y1; if (!L_1) { goto IL_001f; } } { RuntimeObject * L_2 = ___y1; NullCheck((RuntimeObject*)(___x0)); int32_t L_3 = InterfaceFuncInvoker1< int32_t, RuntimeObject * >::Invoke(0 /* System.Int32 System.IComparable`1<System.Object>::CompareTo(T) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1), (RuntimeObject*)(___x0), (RuntimeObject *)L_2); return L_3; } IL_001f: { return 1; } IL_0021: { RuntimeObject * L_4 = ___y1; if (!L_4) { goto IL_002b; } } { return (-1); } IL_002b: { return 0; } } // System.Boolean System.Collections.Generic.GenericComparer`1<System.Object>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericComparer_1_Equals_m8605D59A68B4E66D618CF34A6B75D077050BB582_gshared (GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D *)((GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericComparer`1<System.Object>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_GetHashCode_m7CF3922231C367D9FCCDC8927C046D65EA3EF17C_gshared (GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericComparer`1<System.Object>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericComparer_1__ctor_mA733E369D9A763FBDA2A077A8F8CEFB512978746_gshared (GenericComparer_1_t375D9A552230A0495F791F5BE041A4681B3A208D * __this, const RuntimeMethod* method) { { NullCheck((Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 *)__this); (( void (*) (Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((Comparer_1_t1DB742817DFA148A84E0F6044361F97B935058A7 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Int32 System.Collections.Generic.GenericComparer`1<System.UInt64>::Compare(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_Compare_mC1A2CE2B198A1F0D662711D955A805C156AEC646_gshared (GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 * __this, uint64_t ___x0, uint64_t ___y1, const RuntimeMethod* method) { { } { } { uint64_t L_2 = ___y1; int32_t L_3 = UInt64_CompareTo_m03A38257A9E54676839E92A530E8BB17D6A58873((uint64_t*)(uint64_t*)(&___x0), (uint64_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return 1; } IL_0021: { } { return (-1); } IL_002b: { return 0; } } // System.Boolean System.Collections.Generic.GenericComparer`1<System.UInt64>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericComparer_1_Equals_mF3EC986419F7B8CF4DCF3CE16FE9FF41E032C1F4_gshared (GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 *)((GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericComparer`1<System.UInt64>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericComparer_1_GetHashCode_m2778F7823F71CF2F6D0AD895CB010BE185C58F4C_gshared (GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericComparer`1<System.UInt64>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericComparer_1__ctor_m599B7705A47E6CB529F03BEC2CE9345D607BAFFF_gshared (GenericComparer_1_tA533F01717681A95658AB73F887FFF7FF8D21959 * __this, const RuntimeMethod* method) { { NullCheck((Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC *)__this); (( void (*) (Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((Comparer_1_tCF5E5EB8AA2F69440B59855EF7E666F064E3D1CC *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m0EF84A69325F09C2F6FED48EF59E1D2A9D5828D2_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, bool ___x0, bool ___y1, const RuntimeMethod* method) { { } { } { bool L_2 = ___y1; bool L_3 = Boolean_Equals_mD6223639457331BC16211ED4772C5927668DC060((bool*)(bool*)(&___x0), (bool)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m95BD2AE1C56EB235D7F02BDA41D1E3D8A0FD75DE_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, bool ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Boolean_GetHashCode_m92C426D44100ED098FEECC96A743C3CB92DFF737((bool*)(bool*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m6694AE2E25CAB0E369A6E79E2256A64FD68F90C4_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* ___array0, bool ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; bool L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; bool L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); bool L_19 = ___value1; bool L_20 = Boolean_Equals_mD6223639457331BC16211ED4772C5927668DC060((bool*)(bool*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (bool)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mB63B415C7C40DBAC2E90C7ECD64C535F3C54FFDB_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* ___array0, bool ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; bool L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; bool L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { BooleanU5BU5D_t192C7579715690E25BD5EFED47F3E0FC9DCB2040* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); bool L_19 = ___value1; bool L_20 = Boolean_Equals_mD6223639457331BC16211ED4772C5927668DC060((bool*)(bool*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (bool)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m9C0EAA9B36F42E99469C828005EC3698D499FEC1_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 *)((GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m885A5058A2D8E44BA86064DDEFCE95BFB51457B0_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Boolean>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m373EF5454EEF835DD70E65F8FF0905C22E2A0ED8_gshared (GenericEqualityComparer_1_t4138EE39BB1FDEA3425D3A3FAFAAE0E56EDC7FB6 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 *)__this); (( void (*) (EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_tD8AA583F19AD415FD39D5B9D0F36A524345B95C2 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m6C4C2AB343BE0F659F6C15D8D423C8152B6431DF_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, uint8_t ___x0, uint8_t ___y1, const RuntimeMethod* method) { { } { } { uint8_t L_2 = ___y1; bool L_3 = Byte_Equals_m87DDF4363A9B222224EFCA173189FFA2574A7E16((uint8_t*)(uint8_t*)(&___x0), (uint8_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mFCA29CF811E5F9832BF3FA28B66DAADEFFD5AE5B_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, uint8_t ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Byte_GetHashCode_m57BA90F7D83EA8E9ECCA68505FFEA649D1C748E0((uint8_t*)(uint8_t*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_mDB0F8C3D9DDC9577686D8F139614CC4E8B8FDA48_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___array0, uint8_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; uint8_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; uint8_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); uint8_t L_19 = ___value1; bool L_20 = Byte_Equals_m87DDF4363A9B222224EFCA173189FFA2574A7E16((uint8_t*)(uint8_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (uint8_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mFAD8AC6476F402021E78A509E76F0E3280C32EB2_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* ___array0, uint8_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; uint8_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; uint8_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); uint8_t L_19 = ___value1; bool L_20 = Byte_Equals_m87DDF4363A9B222224EFCA173189FFA2574A7E16((uint8_t*)(uint8_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (uint8_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m3F9ADDBBC00035D7BA555F89E45B5E3739A6F769_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 *)((GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mF0F7C2137322DC86226665BEAB6DBB38430838FF_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Byte>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mF6DFC50047C96C9880471A30DDA73EB0E7E42C25_gshared (GenericEqualityComparer_1_t13B1ED31D2A68AB188264B7B5400B4E351279DD4 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 *)__this); (( void (*) (EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t3A6890CC3BA3A4DBC0B7B4A4486D314AB72F2EA5 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Char>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mA91D86BCB19406C5D91440122D4CD3318752CA9A_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, Il2CppChar ___x0, Il2CppChar ___y1, const RuntimeMethod* method) { { } { } { Il2CppChar L_2 = ___y1; bool L_3 = Char_Equals_mF5F094BED35D6DE2ACEAE25F6FEF524B8BD9CBAC((Il2CppChar*)(Il2CppChar*)(&___x0), (Il2CppChar)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Char>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mD1CC845628E4C097CA9B044EB92F8AB490FF38FC_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, Il2CppChar ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Char_GetHashCode_m9FACC936FF239053F0CF62F1C13EB23347CDE5B2((Il2CppChar*)(Il2CppChar*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Char>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m7C32170FF20F4748EDDEEA1DB6B315D728D31467_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___array0, Il2CppChar ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Il2CppChar L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Il2CppChar L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Il2CppChar L_19 = ___value1; bool L_20 = Char_Equals_mF5F094BED35D6DE2ACEAE25F6FEF524B8BD9CBAC((Il2CppChar*)(Il2CppChar*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Il2CppChar)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Char>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m5C0CCE5A23E9CC3BDFAE92ABF59B5FC5486D3CFF_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___array0, Il2CppChar ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Il2CppChar L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Il2CppChar L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Il2CppChar L_19 = ___value1; bool L_20 = Char_Equals_mF5F094BED35D6DE2ACEAE25F6FEF524B8BD9CBAC((Il2CppChar*)(Il2CppChar*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Il2CppChar)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Char>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m139E93FD59B4D33371EEFF5D8A31AB3A94C5FBE1_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 *)((GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Char>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mF4D909A6AA71FB10D81F0776EAB556662BE41750_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Char>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mDE6167CC431AF801A33AA2718508B7A8C5A3417C_gshared (GenericEqualityComparer_1_tE5976D7C36EA81AFA9644FE3359F9421CAA15D85 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 *)__this); (( void (*) (EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_tECB4CE0387D542DC165D8C19014A54C2DCAC6C76 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m291FDC5910C526D249748CBD1A18211EE7FDA947_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, Guid_t ___x0, Guid_t ___y1, const RuntimeMethod* method) { { } { } { Guid_t L_2 = ___y1; bool L_3 = Guid_Equals_mC7FC66A530A8B6FC95E8F5F9E34AE81FD44CD245((Guid_t *)(Guid_t *)(&___x0), (Guid_t )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mF11540F7B05C9E11BF6F0B507B4B41C3EF80EED6_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, Guid_t ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Guid_GetHashCode_mEB01C6BA267B1CCD624BCA91D09B803C9B6E5369((Guid_t *)(Guid_t *)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_mA13B6441F9DB678D9384820B3985BA026D03506D_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* ___array0, Guid_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Guid_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Guid_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Guid_t L_19 = ___value1; bool L_20 = Guid_Equals_mC7FC66A530A8B6FC95E8F5F9E34AE81FD44CD245((Guid_t *)(Guid_t *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Guid_t )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m4DABE2995589A8CD06EEE7A42EC29ACC2072F565_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* ___array0, Guid_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Guid_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Guid_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { GuidU5BU5D_t5CC024A2CAE5304311E0B961142A216C0972B0FF* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Guid_t L_19 = ___value1; bool L_20 = Guid_Equals_mC7FC66A530A8B6FC95E8F5F9E34AE81FD44CD245((Guid_t *)(Guid_t *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Guid_t )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mD4BE7ADC3291C700B1B363D762933444849D8A51_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 *)((GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m046704EFC454B5D39095207CC424E133CF2FF2DB_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Guid>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m3EA210D11C7A9202221B3D6529EAE7AC3451B29E_gshared (GenericEqualityComparer_1_t6184324EFFE791230ACF9A1452DC9147CC7E1EA8 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this); (( void (*) (EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t0D118F538343D64A03149EE6C285141397B3217E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mE45C3C85737B6786187C3E313D80B23A4CE063D3_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, int32_t ___x0, int32_t ___y1, const RuntimeMethod* method) { { } { } { int32_t L_2 = ___y1; bool L_3 = Int32_Equals_mC8C45B8899F291D55A6152C8FEDB3CFFF181170B((int32_t*)(int32_t*)(&___x0), (int32_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mA472B1CFE05AF199B5B65D197F9CCED43068A178_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, int32_t ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Int32_GetHashCode_m245C424ECE351E5FE3277A88EEB02132DAB8C25A((int32_t*)(int32_t*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m3A4B3CEBC3180897249004DA6288570B54E6AAE7_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; int32_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; int32_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); int32_t L_19 = ___value1; bool L_20 = Int32_Equals_mC8C45B8899F291D55A6152C8FEDB3CFFF181170B((int32_t*)(int32_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (int32_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mDB6388175D5E4AAABA42C2E5C785C38582D10F00_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___array0, int32_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; int32_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; int32_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); int32_t L_19 = ___value1; bool L_20 = Int32_Equals_mC8C45B8899F291D55A6152C8FEDB3CFFF181170B((int32_t*)(int32_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (int32_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mB1526BCF383ECB927EBFA5B3B4482938292C1FBE_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 *)((GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m24BA9550BF904077FC1D0F7B560A40AF6284C818_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Int32>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m1780D331B98EBAE2B3672ACA5E208AE60377E061_gshared (GenericEqualityComparer_1_t9BDCF4C33D33008FF6B1EA21224B9C3DCEC826A1 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this); (( void (*) (EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_tD28B3D4DAAA1A752CBFAD1CB2EFA5ED1CB8C3B20 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Object>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m88628CCF895B514A00E04B29EDA47F1B8E69CC69_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, RuntimeObject * ___x0, RuntimeObject * ___y1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___x0; if (!L_0) { goto IL_0021; } } { RuntimeObject * L_1 = ___y1; if (!L_1) { goto IL_001f; } } { RuntimeObject * L_2 = ___y1; NullCheck((RuntimeObject*)(___x0)); bool L_3 = InterfaceFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.IEquatable`1<System.Object>::Equals(T) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1), (RuntimeObject*)(___x0), (RuntimeObject *)L_2); return L_3; } IL_001f: { return (bool)0; } IL_0021: { RuntimeObject * L_4 = ___y1; if (!L_4) { goto IL_002b; } } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Object>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m19A9DBBF45B6F3F3B978F61108EBF05E8798858E_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; if (L_0) { goto IL_000a; } } { return 0; } IL_000a: { NullCheck((RuntimeObject *)(___obj0)); int32_t L_1 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)(___obj0)); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Object>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m1060B633831136EEC3ECD505F97063CC80B2A249_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); RuntimeObject * L_2 = ___value1; if (L_2) { goto IL_002b; } } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___array0; 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)); if (L_7) { goto IL_0021; } } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; RuntimeObject * L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); if (!L_16) { goto IL_0056; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); RuntimeObject * L_19 = ___value1; NullCheck((RuntimeObject*)(*((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))))); bool L_20 = InterfaceFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.IEquatable`1<System.Object>::Equals(T) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1), (RuntimeObject*)(*((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18)))), (RuntimeObject *)L_19); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Object>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m0FC50081317F2151B70CD00825D71423152836D6_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, RuntimeObject * ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); RuntimeObject * L_2 = ___value1; if (L_2) { goto IL_002d; } } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_4 = ___array0; 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)); if (L_7) { goto IL_0023; } } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; RuntimeObject * L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); if (!L_16) { goto IL_0058; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); RuntimeObject * L_19 = ___value1; NullCheck((RuntimeObject*)(*((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))))); bool L_20 = InterfaceFuncInvoker1< bool, RuntimeObject * >::Invoke(0 /* System.Boolean System.IEquatable`1<System.Object>::Equals(T) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1), (RuntimeObject*)(*((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18)))), (RuntimeObject *)L_19); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Object>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m524DC50187AB03D67C0FAB5A0DC42C9A3642538B_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 *)((GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Object>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mBBDA3EA7E166ECDE28263201C03F32B1D4117669_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Object>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m241A607DB1C6EFCFF43B148FA82D40ECAEAFA44B_gshared (GenericEqualityComparer_1_t38187E5ED48C49EEE9CD5AAD1B1BBB3207E47988 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this); (( void (*) (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Single>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mC200F141D9D64647D146B8FCDA6FD93998368012_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, float ___x0, float ___y1, const RuntimeMethod* method) { { } { } { float L_2 = ___y1; bool L_3 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)(float*)(&___x0), (float)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Single>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mCFAC40B973ACF168D4E7974EAC1231B0AABA8AB3_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, float ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Single_GetHashCode_m1BC0733E0C3851ED9D1B6C9C0B243BB88BE77AD0((float*)(float*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Single>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_mD810D52B54764DBB15285D637902DEEC3ABD0FA6_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* ___array0, float ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; float L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; float L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); float L_19 = ___value1; bool L_20 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)(float*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (float)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Single>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m813421F13FF7A1B0C82B554EC04711E7D0045A7B_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* ___array0, float ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; float L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; float L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { SingleU5BU5D_tA7139B7CAA40EAEF9178E2C386C8A5993754FDD5* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); float L_19 = ___value1; bool L_20 = Single_Equals_mCDFA927E712FBA83D076864E16C77E39A6E66FE7((float*)(float*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (float)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.Single>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m456F4E602A4B92F3A175618B1129D37B81D666A7_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 *)((GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.Single>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m4AAB15884BC0C0563372D9548705F8D06455DA21_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.Single>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m3766691192C71E263325D3B35A1971C1F32C6C1F_gshared (GenericEqualityComparer_1_tC9C87BDAF87F56A4FF6A3BF0C6C62ACE276C9586 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this); (( void (*) (EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t628A7CE59BA6CF00FD8DD4E64C6B270228072BAA *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m1CC9557046DCF0B3C92FD67FCCCDF36E1FB89F73_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, uint64_t ___x0, uint64_t ___y1, const RuntimeMethod* method) { { } { } { uint64_t L_2 = ___y1; bool L_3 = UInt64_Equals_m8C3B2C55776A9086B7F78F6A636F9B15B059F058((uint64_t*)(uint64_t*)(&___x0), (uint64_t)L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m873A336A32DFED92B6AB4DB5C2F88043F69FEFC7_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, uint64_t ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = UInt64_GetHashCode_mCBB4031BF70D0CBD023B4D71F4FEA37BE2C749AD((uint64_t*)(uint64_t*)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m4FE2FA8E709F7E9CC216438DBFA0181034E92109_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___array0, uint64_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; uint64_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; uint64_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); uint64_t L_19 = ___value1; bool L_20 = UInt64_Equals_m8C3B2C55776A9086B7F78F6A636F9B15B059F058((uint64_t*)(uint64_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (uint64_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m91E8902D9F0868887EBD4255C3B2656A5D1C2216_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* ___array0, uint64_t ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; uint64_t L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; uint64_t L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { UInt64U5BU5D_tA808FE881491284FF25AFDF5C4BC92A826031EF4* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); uint64_t L_19 = ___value1; bool L_20 = UInt64_Equals_m8C3B2C55776A9086B7F78F6A636F9B15B059F058((uint64_t*)(uint64_t*)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (uint64_t)L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m6218C32BBA5987E8A7C73D1327475BE354F0853D_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 *)((GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m1E21466C6575D9C6B5AD42BDC196DCA7D0A193C9_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<System.UInt64>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mBB703E4A043FE62E9E3D180BFA3FEA2D51348241_gshared (GenericEqualityComparer_1_tD4D2F6A512ED8DBE592547A5D62184B90C227926 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this); (( void (*) (EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t5F0C8F88704710D11293F02D38AE92D81C964F13 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m6B540B06B4A2F16469F365ED58811AAAB8EA89C2_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___x0, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___y1, const RuntimeMethod* method) { { } { } { ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_2 = ___y1; bool L_3 = ColorBlock_Equals_m3768CE3E85F9FD55FCA305EA20FF33983B4DB26C((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(&___x0), (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m6AEA4C7DD382F25EFA6798CC689CFFB6F074DEE1_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = ColorBlock_GetHashCode_m1F4A5EC52681DEE9C205F4A5C5A60051DAF71111((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m1BACFD8FF6B4F241612B2184B97FCDDBD840290E_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* ___array0, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_19 = ___value1; bool L_20 = ColorBlock_Equals_m3768CE3E85F9FD55FCA305EA20FF33983B4DB26C((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m8C23B092499469783F6E245FD18738C316D3004D_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* ___array0, ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { ColorBlockU5BU5D_tD84A362F1D993005D8CA9E0B5AB8967468418DE7* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA L_19 = ___value1; bool L_20 = ColorBlock_Equals_m3768CE3E85F9FD55FCA305EA20FF33983B4DB26C((ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)(ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (ColorBlock_t93B54DF6E8D65D24CEA9726CA745E48C53E3B1EA )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m6A41180E7F38AEB00EDDA029986764C1A0D8C238_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 *)((GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mBFE5C1A18EAC3C85EBFFBB10212C8DF8367D374E_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.ColorBlock>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mE4165B8D493F33AB4B86B06815980B72E606A1E0_gshared (GenericEqualityComparer_1_t118B93D539C85BF8F8C7E3FAC325B2D9CFAD4561 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this); (( void (*) (EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t33D7DD4D1CC49C4D829BBDB1D3E3FB1A0527461D *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mE95B7EF621F73198FB264052903BC5CE8424E9AE_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___x0, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___y1, const RuntimeMethod* method) { { } { } { Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_2 = ___y1; bool L_3 = Navigation_Equals_mBAEC72440C03A77E0981AD0FEFDFF823984B7CE0((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)(&___x0), (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m4DBDC3C536059C345B1A0BC375D1D191566E3540_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { RuntimeObject * L_1 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 0), (&___obj0)); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); ___obj0 = *(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)UnBox(L_1); return L_2; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m47073BFB2CFC336AD4CB56B0443F2FED12B82BA7_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* ___array0, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_19 = ___value1; bool L_20 = Navigation_Equals_mBAEC72440C03A77E0981AD0FEFDFF823984B7CE0((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mC951E31696BA4025D7348536101FF165FD76C4DF_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* ___array0, Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { NavigationU5BU5D_tED2679638506D7BDA5062C2FE17EC5F169233A6D* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 L_19 = ___value1; bool L_20 = Navigation_Equals_mBAEC72440C03A77E0981AD0FEFDFF823984B7CE0((Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)(Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Navigation_t761250C05C09773B75F5E0D52DDCBBFE60288A07 )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m5B24DE71478C0F73EE7EAF20543578284B8D1C75_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 *)((GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mFE64DE15C4D2250A3970DEC1451B21AFBD48D4E8_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.Navigation>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_m726C183CEA660F23A79A8D30BDE21EBBF162F84D_gshared (GenericEqualityComparer_1_tB49AE2F7B909B2F2003772FD92F8D53CC56AD092 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this); (( void (*) (EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t473284C1B64EE3B6A648577B1832E02316F65C08 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m55A25BF2C5DD92B3CC45B8378B5ACD626962E551_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___x0, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___y1, const RuntimeMethod* method) { { } { } { SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_2 = ___y1; bool L_3 = SpriteState_Equals_mD9E480FA2D996155ED689F6BA29917273DF036E2((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)(&___x0), (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m217A644CCB1CA64DEA2390806083EE86895224CC_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { RuntimeObject * L_1 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 0), (&___obj0)); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); ___obj0 = *(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)UnBox(L_1); return L_2; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m9F6059C13D5D41C48C5237218AFE0135EA405496_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* ___array0, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_19 = ___value1; bool L_20 = SpriteState_Equals_mD9E480FA2D996155ED689F6BA29917273DF036E2((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_m93F590F093A6B20F2ABD0A1F1B2EFC876F343103_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* ___array0, SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { SpriteStateU5BU5D_t6452EE17737027DABCA2DCEC11461C3CBF40FCDC* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A L_19 = ___value1; bool L_20 = SpriteState_Equals_mD9E480FA2D996155ED689F6BA29917273DF036E2((SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)(SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (SpriteState_t58B9DD66A79CD69AB4CFC3AD0C41E45DC2192C0A )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m5DF40F91649ABB348C633968E386A7F91709F575_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 *)((GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m85E520E80F3DE42043F806393F2B5E42E73EE3FD_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.UI.SpriteState>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mAF200CC4379D2CAD6120DAD6CC592379AF7E398A_gshared (GenericEqualityComparer_1_t15240AD588EEA5138468682BF54BE820B27B6AC2 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this); (( void (*) (EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_tED97D7A473D6A4571389020C4BEA2DD1D3F2FF49 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_mB08817612A5179839F14C5A9BE7292D0C71F4F8B_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___x0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___y1, const RuntimeMethod* method) { { } { } { Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_2 = ___y1; bool L_3 = Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___x0), (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m7A64974D953E587D97A8217943C0CE5CE9F92DF5_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Vector2_GetHashCode_m028AB6B14EBC6D668CFA45BF6EDEF17E2C44EA54((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m7483F852F4A476194DF25705F3D2A80349B2797F_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* ___array0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_19 = ___value1; bool L_20 = Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mB3E34AB3261E870F08573AF84304B18DF8F07290_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* ___array0, Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector2U5BU5D_tA065A07DFC060C1B8786BBAA5F3A6577CCEB27D6* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector2_tA85D2DD88578276CA8A8796756458277E72D073D L_19 = ___value1; bool L_20 = Vector2_Equals_mD6BF1A738E3CAF57BB46E604B030C072728F4EEB((Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector2_tA85D2DD88578276CA8A8796756458277E72D073D )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m11887D64B18CA0375E70B32BB283C42ABD63DBE8_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F *)((GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mE27820D4FE87F63D1B78B5E02E71A84EED3F2E53_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector2>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mA3890604E5AA0D5713A0BF137A83A4F2E2DC2D7D_gshared (GenericEqualityComparer_1_t4144671A4B58B65244077BCEC23E83700E11257F * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this); (( void (*) (EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t5404190F17E14E6CF5185C22EC4668BCE15B76F1 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m2F62B16DDBBB389DE8D1E9B94EA1C16C2488CADA_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___x0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___y1, const RuntimeMethod* method) { { } { } { Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_2 = ___y1; bool L_3 = Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___x0), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_mF909A64C65B1C22ECCBAD1ED2B4142DF2FFA3B95_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Vector3_GetHashCode_m6C42B4F413A489535D180E8A99BE0298AD078B0B((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_m05F00542162FE9D042D5C777D016F2B4E61ACCE9_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___array0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_19 = ___value1; bool L_20 = Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mF012F6045DF0CDEF53273FB9056ECC29B6880158_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* ___array0, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector3U5BU5D_tB9EC3346CC4A0EA5447D968E84A9AC1F6F372C28* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 L_19 = ___value1; bool L_20 = Vector3_Equals_m6B991540378DB8541CEB9472F7ED2BF5FF72B5DB((Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m1C038FC49E94BAE0C21E8B9F5D67D35E35EE9896_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 *)((GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m8CB842D3E5DC7810C4384823C048DA427CA0EFFF_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector3>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mFC6F63E768BB5EB24AFC74EA214F87DB645F6FB8_gshared (GenericEqualityComparer_1_t03511F3147D67635401FC49A5DE4A5E89CE714F1 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this); (( void (*) (EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_tF8B3A336A2CCCA76C99157B28AA030355D18120D *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::Equals(T,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m48F98DCBE12BA2BADFFDCDE6C3166AE298237864_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___x0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___y1, const RuntimeMethod* method) { { } { } { Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_2 = ___y1; bool L_3 = Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&___x0), (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_2, /*hidden argument*/NULL); return L_3; } IL_001f: { return (bool)0; } IL_0021: { } { return (bool)0; } IL_002b: { return (bool)1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::GetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m51BCFD7C56828983F3CA29599F5C60EF3A63842B_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___obj0, const RuntimeMethod* method) { { goto IL_000a; } { return 0; } IL_000a: { int32_t L_1 = Vector4_GetHashCode_m7329FEA2E90CDBDBF4F09F51D92C87E08F5DC92E((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(&___obj0), /*hidden argument*/NULL); return L_1; } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::IndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_IndexOf_mA12C4CA2E0F1D7AE0134EDA443EF386E3F8DEE40_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* ___array0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_0, (int32_t)L_1)); goto IL_002b; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0025; } IL_0011: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0021; } { int32_t L_8 = V_1; return L_8; } IL_0021: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_9, (int32_t)1)); } IL_0025: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) < ((int32_t)L_11))) { goto IL_0011; } } { goto IL_005e; } IL_002b: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005a; } IL_002f: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_19 = ___value1; bool L_20 = Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0056; } } { int32_t L_21 = V_2; return L_21; } IL_0056: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_005a: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) < ((int32_t)L_24))) { goto IL_002f; } } IL_005e: { return (-1); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::LastIndexOf(T[],T,System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_LastIndexOf_mFE5EC5A6721E481AD513C434F5B07E54333F87E8_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* ___array0, Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___value1, int32_t ___startIndex2, int32_t ___count3, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; { int32_t L_0 = ___startIndex2; int32_t L_1 = ___count3; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_0, (int32_t)L_1)), (int32_t)1)); goto IL_002d; } { int32_t L_3 = ___startIndex2; V_1 = (int32_t)L_3; goto IL_0027; } IL_0013: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_4 = ___array0; int32_t L_5 = V_1; NullCheck(L_4); int32_t L_6 = L_5; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_7 = (L_4)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); goto IL_0023; } { int32_t L_8 = V_1; return L_8; } IL_0023: { int32_t L_9 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_9, (int32_t)1)); } IL_0027: { int32_t L_10 = V_1; int32_t L_11 = V_0; if ((((int32_t)L_10) >= ((int32_t)L_11))) { goto IL_0013; } } { goto IL_0060; } IL_002d: { int32_t L_12 = ___startIndex2; V_2 = (int32_t)L_12; goto IL_005c; } IL_0031: { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_13 = ___array0; int32_t L_14 = V_2; NullCheck(L_13); int32_t L_15 = L_14; Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_16 = (L_13)->GetAt(static_cast<il2cpp_array_size_t>(L_15)); } { Vector4U5BU5D_t51402C154FFFCF7217A9BEC4B834F0B726C10F66* L_17 = ___array0; int32_t L_18 = V_2; NullCheck(L_17); Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E L_19 = ___value1; bool L_20 = Vector4_Equals_mB9894C2D4EE56C6E8FDF6CC40DCE0CE16BA4F7BF((Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E *)((L_17)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_18))), (Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E )L_19, /*hidden argument*/NULL); if (!L_20) { goto IL_0058; } } { int32_t L_21 = V_2; return L_21; } IL_0058: { int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_22, (int32_t)1)); } IL_005c: { int32_t L_23 = V_2; int32_t L_24 = V_0; if ((((int32_t)L_23) >= ((int32_t)L_24))) { goto IL_0031; } } IL_0060: { return (-1); } } // System.Boolean System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::Equals(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool GenericEqualityComparer_1_Equals_m4957B171C6B5D4EF255969DC72F92D547F1D1AF5_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, RuntimeObject * ___obj0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___obj0; return (bool)((!(((RuntimeObject*)(GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 *)((GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 *)IsInst((RuntimeObject*)L_0, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 3)))) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Int32 System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::GetHashCode() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t GenericEqualityComparer_1_GetHashCode_m6645A2ABE38450F4F928674638C57B85D49905F9_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Type_t * L_0 = Object_GetType_m2E0B62414ECCAA3094B703790CE88CBB2F83EA60((RuntimeObject *)__this, /*hidden argument*/NULL); NullCheck((MemberInfo_t *)L_0); String_t* L_1 = VirtFuncInvoker0< String_t* >::Invoke(7 /* System.String System.Reflection.MemberInfo::get_Name() */, (MemberInfo_t *)L_0); NullCheck((RuntimeObject *)L_1); int32_t L_2 = VirtFuncInvoker0< int32_t >::Invoke(2 /* System.Int32 System.Object::GetHashCode() */, (RuntimeObject *)L_1); return L_2; } } // System.Void System.Collections.Generic.GenericEqualityComparer`1<UnityEngine.Vector4>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void GenericEqualityComparer_1__ctor_mEB119869CC6AFF2C45DE6B197BA71DC0CE8A0F34_gshared (GenericEqualityComparer_1_t8E1C9E9FD793C77B241D98F82C7C306F8D2994D4 * __this, const RuntimeMethod* method) { { NullCheck((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this); (( void (*) (EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((EqualityComparer_1_t7E3233D219BAD9A94FD502F672DC198E60C604CA *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.HashSet`1_Enumerator<System.Object>::.ctor(System.Collections.Generic.HashSet`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * ___set0, const RuntimeMethod* method) { { HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_0 = ___set0; __this->set__set_0(L_0); __this->set__index_1(0); HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_1 = ___set0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_13(); __this->set__version_2(L_2); RuntimeObject ** L_3 = (RuntimeObject **)__this->get_address_of__current_3(); il2cpp_codegen_initobj(L_3, sizeof(RuntimeObject *)); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC_AdjustorThunk (RuntimeObject * __this, HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * ___set0, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC(_thisAdjusted, ___set0, method); } // System.Void System.Collections.Generic.HashSet`1_Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); Enumerator_Dispose_m919CC4AE9973A17B21C1CD43532ECA177DC657EF(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.HashSet`1_Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__version_2(); HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_1 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_13(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_007b; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_3 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_3, (String_t*)_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_RuntimeMethod_var); } IL_001e: { HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_4 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_4); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_5 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)L_4->get__slots_8(); int32_t L_6 = (int32_t)__this->get__index_1(); NullCheck(L_5); int32_t L_7 = (int32_t)((L_5)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_6)))->get_hashCode_0(); if ((((int32_t)L_7) < ((int32_t)0))) { goto IL_006d; } } { HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_8 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_8); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_9 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)L_8->get__slots_8(); int32_t L_10 = (int32_t)__this->get__index_1(); NullCheck(L_9); RuntimeObject * L_11 = (RuntimeObject *)((L_9)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_10)))->get_value_2(); __this->set__current_3(L_11); int32_t L_12 = (int32_t)__this->get__index_1(); __this->set__index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_006d: { int32_t L_13 = (int32_t)__this->get__index_1(); __this->set__index_1(((int32_t)il2cpp_codegen_add((int32_t)L_13, (int32_t)1))); } IL_007b: { int32_t L_14 = (int32_t)__this->get__index_1(); HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_15 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_15); int32_t L_16 = (int32_t)L_15->get__lastIndex_10(); if ((((int32_t)L_14) < ((int32_t)L_16))) { goto IL_001e; } } { HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_17 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_17); int32_t L_18 = (int32_t)L_17->get__lastIndex_10(); __this->set__index_1(((int32_t)il2cpp_codegen_add((int32_t)L_18, (int32_t)1))); RuntimeObject ** L_19 = (RuntimeObject **)__this->get_address_of__current_3(); il2cpp_codegen_initobj(L_19, sizeof(RuntimeObject *)); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); return Enumerator_MoveNext_m8399E4F6F4D740927A7D184ED284EC5CA849904F(_thisAdjusted, method); } // T System.Collections.Generic.HashSet`1_Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get__current_3(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); return Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.HashSet`1_Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get__index_1(); HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_2 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__lastIndex_10(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0028; } } IL_001d: { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, (String_t*)_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_RuntimeMethod_var); } IL_0028: { RuntimeObject * L_5 = Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_inline((Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *)(Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_5; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_mD7E4477DFB38BE09EA21D2A80E803995112261E6(_thisAdjusted, method); } // System.Void System.Collections.Generic.HashSet`1_Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_gshared (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__version_2(); HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * L_1 = (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this->get__set_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_13(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001e; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_3 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_3, (String_t*)_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_RuntimeMethod_var); } IL_001e: { __this->set__index_1(0); RuntimeObject ** L_4 = (RuntimeObject **)__this->get_address_of__current_3(); il2cpp_codegen_initobj(L_4, sizeof(RuntimeObject *)); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * _thisAdjusted = reinterpret_cast<Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_m1E71DFDD374AFA17E14983F6A44B1AB4BF2E55B8(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.HashSet`1<System.Object>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1__ctor_mB30D7275D69D9EFB8C6645D8D4494778FF64AEE7_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_0 = (( EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)); NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject*)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::.ctor(System.Collections.Generic.IEqualityComparer`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1__ctor_m35AC25D48F5BFB95C3A2D7F02C4D037AA979FBE8_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject* ___comparer0, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); RuntimeObject* L_0 = ___comparer0; if (L_0) { goto IL_0010; } } { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_1 = (( EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)); ___comparer0 = (RuntimeObject*)L_1; } IL_0010: { RuntimeObject* L_2 = ___comparer0; __this->set__comparer_12(L_2); __this->set__lastIndex_10(0); __this->set__count_9(0); __this->set__freeList_11((-1)); __this->set__version_13(0); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1__ctor_mFDA373C856589A771CD6C071B685A21CA294EB57_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; __this->set__siInfo_14(L_0); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::System.Collections.Generic.ICollection<T>.Add(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_System_Collections_Generic_ICollectionU3CTU3E_Add_mD49651DE4854F73ED2968C62F7B52E7147774499_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___item0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___item0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( bool (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_Clear_m0F485B0073414C5DB3166F7FCB2C0BFA9517251E_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get__lastIndex_10(); if ((((int32_t)L_0) <= ((int32_t)0))) { goto IL_0044; } } { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_1 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_2 = (int32_t)__this->get__lastIndex_10(); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_1, (int32_t)0, (int32_t)L_2, /*hidden argument*/NULL); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_4); Array_Clear_m174F4957D6DEDB6359835123005304B14E79132E((RuntimeArray *)(RuntimeArray *)L_3, (int32_t)0, (int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_4)->max_length)))), /*hidden argument*/NULL); __this->set__lastIndex_10(0); __this->set__count_9(0); __this->set__freeList_11((-1)); } IL_0044: { int32_t L_5 = (int32_t)__this->get__version_13(); __this->set__version_13(((int32_t)il2cpp_codegen_add((int32_t)L_5, (int32_t)1))); return; } } // System.Boolean System.Collections.Generic.HashSet`1<System.Object>::Contains(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashSet_1_Contains_m46AC83542050A403FDE1B6323623C4DDC36A83B8_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___item0, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); if (!L_0) { goto IL_0071; } } { RuntimeObject * L_1 = ___item0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); int32_t L_2 = (( int32_t (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_1, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); V_0 = (int32_t)L_2; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_4 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_5 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_5); NullCheck(L_3); int32_t L_6 = ((int32_t)((int32_t)L_4%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_5)->max_length)))))); int32_t L_7 = (L_3)->GetAt(static_cast<il2cpp_array_size_t>(L_6)); V_1 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_7, (int32_t)1)); goto IL_006d; } IL_0026: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_8 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_9 = V_1; NullCheck(L_8); int32_t L_10 = (int32_t)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_9)))->get_hashCode_0(); int32_t L_11 = V_0; if ((!(((uint32_t)L_10) == ((uint32_t)L_11)))) { goto IL_005b; } } { RuntimeObject* L_12 = (RuntimeObject*)__this->get__comparer_12(); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_13 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_14 = V_1; NullCheck(L_13); RuntimeObject * L_15 = (RuntimeObject *)((L_13)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_14)))->get_value_2(); RuntimeObject * L_16 = ___item0; NullCheck((RuntimeObject*)L_12); bool L_17 = InterfaceFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(0 /* System.Boolean System.Collections.Generic.IEqualityComparer`1<System.Object>::Equals(!0,!0) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 5), (RuntimeObject*)L_12, (RuntimeObject *)L_15, (RuntimeObject *)L_16); if (!L_17) { goto IL_005b; } } { return (bool)1; } IL_005b: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_18 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_19 = V_1; NullCheck(L_18); int32_t L_20 = (int32_t)((L_18)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_19)))->get_next_1(); V_1 = (int32_t)L_20; } IL_006d: { int32_t L_21 = V_1; if ((((int32_t)L_21) >= ((int32_t)0))) { goto IL_0026; } } IL_0071: { return (bool)0; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::CopyTo(T[],System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_CopyTo_mC1E8E868ED055A4C808AC49CA557AC00106D9D27_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___arrayIndex1, const RuntimeMethod* method) { { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0; int32_t L_1 = ___arrayIndex1; int32_t L_2 = (int32_t)__this->get__count_9(); NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_0, (int32_t)L_1, (int32_t)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)); return; } } // System.Boolean System.Collections.Generic.HashSet`1<System.Object>::Remove(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashSet_1_Remove_m5E23D87996E72EB5D7B135B05E6697D62D3F7511_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___item0, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); if (!L_0) { goto IL_014b; } } { RuntimeObject * L_1 = ___item0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); int32_t L_2 = (( int32_t (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_1, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); V_0 = (int32_t)L_2; int32_t L_3 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_4); V_1 = (int32_t)((int32_t)((int32_t)L_3%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_4)->max_length)))))); V_2 = (int32_t)(-1); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_5 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_6 = V_1; NullCheck(L_5); int32_t L_7 = L_6; int32_t L_8 = (L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)); V_3 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_8, (int32_t)1)); goto IL_0144; } IL_0030: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_9 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_10 = V_3; NullCheck(L_9); int32_t L_11 = (int32_t)((L_9)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_10)))->get_hashCode_0(); int32_t L_12 = V_0; if ((!(((uint32_t)L_11) == ((uint32_t)L_12)))) { goto IL_0130; } } { RuntimeObject* L_13 = (RuntimeObject*)__this->get__comparer_12(); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_14 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_15 = V_3; NullCheck(L_14); RuntimeObject * L_16 = (RuntimeObject *)((L_14)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_15)))->get_value_2(); RuntimeObject * L_17 = ___item0; NullCheck((RuntimeObject*)L_13); bool L_18 = InterfaceFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(0 /* System.Boolean System.Collections.Generic.IEqualityComparer`1<System.Object>::Equals(!0,!0) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 5), (RuntimeObject*)L_13, (RuntimeObject *)L_16, (RuntimeObject *)L_17); if (!L_18) { goto IL_0130; } } { int32_t L_19 = V_2; if ((((int32_t)L_19) >= ((int32_t)0))) { goto IL_008a; } } { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_20 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_21 = V_1; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_22 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_23 = V_3; NullCheck(L_22); int32_t L_24 = (int32_t)((L_22)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_23)))->get_next_1(); NullCheck(L_20); (L_20)->SetAt(static_cast<il2cpp_array_size_t>(L_21), (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_24, (int32_t)1))); goto IL_00ac; } IL_008a: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_25 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_26 = V_2; NullCheck(L_25); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_27 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_28 = V_3; NullCheck(L_27); int32_t L_29 = (int32_t)((L_27)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_28)))->get_next_1(); ((L_25)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_26)))->set_next_1(L_29); } IL_00ac: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_30 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_31 = V_3; NullCheck(L_30); ((L_30)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_31)))->set_hashCode_0((-1)); bool L_32 = true; if (!L_32) { goto IL_00dc; } } { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_33 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_34 = V_3; NullCheck(L_33); RuntimeObject ** L_35 = (RuntimeObject **)((L_33)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_34)))->get_address_of_value_2(); il2cpp_codegen_initobj(L_35, sizeof(RuntimeObject *)); } IL_00dc: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_36 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_37 = V_3; NullCheck(L_36); int32_t L_38 = (int32_t)__this->get__freeList_11(); ((L_36)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_37)))->set_next_1(L_38); int32_t L_39 = (int32_t)__this->get__count_9(); __this->set__count_9(((int32_t)il2cpp_codegen_subtract((int32_t)L_39, (int32_t)1))); int32_t L_40 = (int32_t)__this->get__version_13(); __this->set__version_13(((int32_t)il2cpp_codegen_add((int32_t)L_40, (int32_t)1))); int32_t L_41 = (int32_t)__this->get__count_9(); if (L_41) { goto IL_0127; } } { __this->set__lastIndex_10(0); __this->set__freeList_11((-1)); goto IL_012e; } IL_0127: { int32_t L_42 = V_3; __this->set__freeList_11(L_42); } IL_012e: { return (bool)1; } IL_0130: { int32_t L_43 = V_3; V_2 = (int32_t)L_43; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_44 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_45 = V_3; NullCheck(L_44); int32_t L_46 = (int32_t)((L_44)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_45)))->get_next_1(); V_3 = (int32_t)L_46; } IL_0144: { int32_t L_47 = V_3; if ((((int32_t)L_47) >= ((int32_t)0))) { goto IL_0030; } } IL_014b: { return (bool)0; } } // System.Int32 System.Collections.Generic.HashSet`1<System.Object>::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t HashSet_1_get_Count_m51DBCAAB77E596A4583902572958ADB0893E1A0E_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get__count_9(); return L_0; } } // System.Boolean System.Collections.Generic.HashSet`1<System.Object>::System.Collections.Generic.ICollection<T>.get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashSet_1_System_Collections_Generic_ICollectionU3CTU3E_get_IsReadOnly_m551332F7CBF6ED4BD8DCCD025B5A8D64E0784CA1_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { return (bool)0; } } // System.Collections.Generic.HashSet`1_Enumerator<T> System.Collections.Generic.HashSet`1<System.Object>::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 HashSet_1_GetEnumerator_mD1B476BCFC9C6327ECC5D44D9F486F7428282E0C_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 L_0; memset((&L_0), 0, sizeof(L_0)); Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC((&L_0), (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)); return L_0; } } // System.Collections.Generic.IEnumerator`1<T> System.Collections.Generic.HashSet`1<System.Object>::System.Collections.Generic.IEnumerable<T>.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* HashSet_1_System_Collections_Generic_IEnumerableU3CTU3E_GetEnumerator_m3989F105C37668B1554578156A22919F6FB7EDDD_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 L_0; memset((&L_0), 0, sizeof(L_0)); Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC((&L_0), (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)); Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8), &L_1); return (RuntimeObject*)L_2; } } // System.Collections.IEnumerator System.Collections.Generic.HashSet`1<System.Object>::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* HashSet_1_System_Collections_IEnumerable_GetEnumerator_mBD96FFA26694D1043C5CB80C387F8712777B7AFE_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { { Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 L_0; memset((&L_0), 0, sizeof(L_0)); Enumerator__ctor_m9899E0A6D1B62C77FFFB8E14DA7D6ECD8C5A01FC((&L_0), (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)); Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 8), &L_1); return (RuntimeObject*)L_2; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_GetObjectData_m33BB367F48856550B518D102E12D57DD62954CB0_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_GetObjectData_m33BB367F48856550B518D102E12D57DD62954CB0_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; String_t* G_B4_0 = NULL; SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * G_B4_1 = NULL; String_t* G_B3_0 = NULL; SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * G_B3_1 = NULL; int32_t G_B5_0 = 0; String_t* G_B5_1 = NULL; SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * G_B5_2 = NULL; { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, HashSet_1_GetObjectData_m33BB367F48856550B518D102E12D57DD62954CB0_RuntimeMethod_var); } IL_000e: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_2 = ___info0; int32_t L_3 = (int32_t)__this->get__version_13(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_2); SerializationInfo_AddValue_m7C73917D9DC4B8FE4AFEF4BA8EBEDAB046A8D0BD((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_2, (String_t*)_stringLiteral2DA600BF9404843107A9531694F654E5662959E0, (int32_t)L_3, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_4 = ___info0; RuntimeObject* L_5 = (RuntimeObject*)__this->get__comparer_12(); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_6 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 10)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_7 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_6, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_4); SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_4, (String_t*)_stringLiteral8FC94E4F5B71CECE2565D72417AACC804EE27A0D, (RuntimeObject *)L_5, (Type_t *)L_7, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_8 = ___info0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_9 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); G_B3_0 = _stringLiteral45BD908DF490EDD79694BA0DAFF82FC092970B55; G_B3_1 = L_8; if (!L_9) { G_B4_0 = _stringLiteral45BD908DF490EDD79694BA0DAFF82FC092970B55; G_B4_1 = L_8; goto IL_0052; } } { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_10 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_10); G_B5_0 = (((int32_t)((int32_t)(((RuntimeArray*)L_10)->max_length)))); G_B5_1 = G_B3_0; G_B5_2 = G_B3_1; goto IL_0053; } IL_0052: { G_B5_0 = 0; G_B5_1 = G_B4_0; G_B5_2 = G_B4_1; } IL_0053: { NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)G_B5_2); SerializationInfo_AddValue_m7C73917D9DC4B8FE4AFEF4BA8EBEDAB046A8D0BD((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)G_B5_2, (String_t*)G_B5_1, (int32_t)G_B5_0, /*hidden argument*/NULL); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_11 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); if (!L_11) { goto IL_0089; } } { int32_t L_12 = (int32_t)__this->get__count_9(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 11), (uint32_t)L_12); V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_13; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_14 = V_0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 12)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 12)); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_15 = ___info0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_17 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 13)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_18 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_17, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_15); SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_15, (String_t*)_stringLiteralA563972E807D43617DFB0A4B0398984476C03544, (RuntimeObject *)(RuntimeObject *)L_16, (Type_t *)L_18, /*hidden argument*/NULL); } IL_0089: { return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::OnDeserialization(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_OnDeserialization_m3E4705E04C2AB1CD0ACA894B7BE8670889470956_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_OnDeserialization_m3E4705E04C2AB1CD0ACA894B7BE8670889470956_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL; int32_t V_2 = 0; { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_14(); if (L_0) { goto IL_0009; } } { return; } IL_0009: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_1 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_14(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_1); int32_t L_2 = SerializationInfo_GetInt32_mB47BD46A0BDBBAF5B47BB62E6EFF8E092E3F3656((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_1, (String_t*)_stringLiteral45BD908DF490EDD79694BA0DAFF82FC092970B55, /*hidden argument*/NULL); V_0 = (int32_t)L_2; SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_3 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_14(); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_4 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 14)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_5 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_4, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_3); RuntimeObject * L_6 = SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_3, (String_t*)_stringLiteral8FC94E4F5B71CECE2565D72417AACC804EE27A0D, (Type_t *)L_5, /*hidden argument*/NULL); __this->set__comparer_12(((RuntimeObject*)Castclass((RuntimeObject*)L_6, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 5)))); __this->set__freeList_11((-1)); int32_t L_7 = V_0; if (!L_7) { goto IL_00ad; } } { int32_t L_8 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_9 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)L_8); __this->set__buckets_7(L_9); int32_t L_10 = V_0; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_11 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)(SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)SZArrayNew(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 15), (uint32_t)L_10); __this->set__slots_8(L_11); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_12 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_14(); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_13 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 13)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_14 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_13, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_12); RuntimeObject * L_15 = SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_12, (String_t*)_stringLiteralA563972E807D43617DFB0A4B0398984476C03544, (Type_t *)L_14, /*hidden argument*/NULL); V_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)Castclass((RuntimeObject*)L_15, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 16))); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_16 = V_1; if (L_16) { goto IL_008f; } } { SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * L_17 = (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 *)il2cpp_codegen_object_new(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var); SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1(L_17, (String_t*)_stringLiteralE367FF29A0663711C1EBDF26B6F12FAE055BEB20, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_17, NULL, HashSet_1_OnDeserialization_m3E4705E04C2AB1CD0ACA894B7BE8670889470956_RuntimeMethod_var); } IL_008f: { V_2 = (int32_t)0; goto IL_00a5; } IL_0093: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_18 = V_1; int32_t L_19 = V_2; NullCheck(L_18); int32_t L_20 = L_19; RuntimeObject * L_21 = (L_18)->GetAt(static_cast<il2cpp_array_size_t>(L_20)); NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( bool (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_21, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); int32_t L_22 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)1)); } IL_00a5: { int32_t L_23 = V_2; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_24 = V_1; NullCheck(L_24); if ((((int32_t)L_23) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_24)->max_length))))))) { goto IL_0093; } } { goto IL_00b4; } IL_00ad: { __this->set__buckets_7((Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)NULL); } IL_00b4: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_25 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_14(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_25); int32_t L_26 = SerializationInfo_GetInt32_mB47BD46A0BDBBAF5B47BB62E6EFF8E092E3F3656((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_25, (String_t*)_stringLiteral2DA600BF9404843107A9531694F654E5662959E0, /*hidden argument*/NULL); __this->set__version_13(L_26); __this->set__siInfo_14((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)NULL); return; } } // System.Boolean System.Collections.Generic.HashSet`1<System.Object>::Add(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashSet_1_Add_m263AF496E7EB4748C16C752FDFB519059869BA6A_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___item0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___item0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); bool L_1 = (( bool (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); return L_1; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::CopyTo(T[]) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_CopyTo_m3F2053B5419F975E42065E7E6242A03332A8D9C1_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, const RuntimeMethod* method) { { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_0 = ___array0; int32_t L_1 = (int32_t)__this->get__count_9(); NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_0, (int32_t)0, (int32_t)L_1, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::CopyTo(T[],System.Int32,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___arrayIndex1, int32_t ___count2, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; 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, HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_RuntimeMethod_var); } IL_000e: { int32_t L_2 = ___arrayIndex1; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0028; } } { int32_t L_3 = ___arrayIndex1; int32_t L_4 = L_3; RuntimeObject * L_5 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_4); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378(L_6, (String_t*)_stringLiteralFA5342C4F12AD1A860B71DA5AD002761768999C3, (RuntimeObject *)L_5, (String_t*)_stringLiteral539C1C7D0F7920DE9DFF925D3A93342DAE4E9281, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, NULL, HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_RuntimeMethod_var); } IL_0028: { int32_t L_7 = ___count2; if ((((int32_t)L_7) >= ((int32_t)0))) { goto IL_0042; } } { int32_t L_8 = ___count2; int32_t L_9 = L_8; RuntimeObject * L_10 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_9); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_11 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378(L_11, (String_t*)_stringLiteralEE9F38E186BA06F57B7B74D7E626B94E13CE2556, (RuntimeObject *)L_10, (String_t*)_stringLiteral539C1C7D0F7920DE9DFF925D3A93342DAE4E9281, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_11, NULL, HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_RuntimeMethod_var); } IL_0042: { int32_t L_12 = ___arrayIndex1; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = ___array0; NullCheck(L_13); if ((((int32_t)L_12) > ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_13)->max_length))))))) { goto IL_0050; } } { int32_t L_14 = ___count2; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_15 = ___array0; NullCheck(L_15); int32_t L_16 = ___arrayIndex1; if ((((int32_t)L_14) <= ((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_15)->max_length)))), (int32_t)L_16))))) { goto IL_005b; } } IL_0050: { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_17 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_17, (String_t*)_stringLiteralBC80A496F1C479B70F6EE2BF2F0C3C05463301B8, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_17, NULL, HashSet_1_CopyTo_mC6430F07F53F169E744E9AA85F3C2650AB2E9D57_RuntimeMethod_var); } IL_005b: { V_0 = (int32_t)0; V_1 = (int32_t)0; goto IL_0097; } IL_0061: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_18 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_19 = V_1; NullCheck(L_18); int32_t L_20 = (int32_t)((L_18)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_19)))->get_hashCode_0(); if ((((int32_t)L_20) < ((int32_t)0))) { goto IL_0093; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_21 = ___array0; int32_t L_22 = ___arrayIndex1; int32_t L_23 = V_0; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_24 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_25 = V_1; NullCheck(L_24); RuntimeObject * L_26 = (RuntimeObject *)((L_24)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_25)))->get_value_2(); NullCheck(L_21); (L_21)->SetAt(static_cast<il2cpp_array_size_t>(((int32_t)il2cpp_codegen_add((int32_t)L_22, (int32_t)L_23))), (RuntimeObject *)L_26); int32_t L_27 = V_0; V_0 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_27, (int32_t)1)); } IL_0093: { int32_t L_28 = V_1; V_1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_28, (int32_t)1)); } IL_0097: { int32_t L_29 = V_1; int32_t L_30 = (int32_t)__this->get__lastIndex_10(); if ((((int32_t)L_29) >= ((int32_t)L_30))) { goto IL_00a4; } } { int32_t L_31 = V_0; int32_t L_32 = ___count2; if ((((int32_t)L_31) < ((int32_t)L_32))) { goto IL_0061; } } IL_00a4: { return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::Initialize(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_Initialize_m8DC3BCD9F824FDC00AEC9BCD133F51FCBF40B87B_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, int32_t ___capacity0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_Initialize_m8DC3BCD9F824FDC00AEC9BCD133F51FCBF40B87B_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = ___capacity0; IL2CPP_RUNTIME_CLASS_INIT(HashHelpers_tEB19004A9D7DD7679EA1882AE9B96E117FDF0179_il2cpp_TypeInfo_var); int32_t L_1 = HashHelpers_GetPrime_m743D7006C2BCBADC1DC8CACF7C5B78C9F6B38297((int32_t)L_0, /*hidden argument*/NULL); V_0 = (int32_t)L_1; int32_t L_2 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_3 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)L_2); __this->set__buckets_7(L_3); int32_t L_4 = V_0; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_5 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)(SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)SZArrayNew(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 15), (uint32_t)L_4); __this->set__slots_8(L_5); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::IncreaseCapacity() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_IncreaseCapacity_m5E489948DFAF48EF132FFCCA37075A5C6AFAAAE1_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_IncreaseCapacity_m5E489948DFAF48EF132FFCCA37075A5C6AFAAAE1_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; { int32_t L_0 = (int32_t)__this->get__count_9(); IL2CPP_RUNTIME_CLASS_INIT(HashHelpers_tEB19004A9D7DD7679EA1882AE9B96E117FDF0179_il2cpp_TypeInfo_var); int32_t L_1 = HashHelpers_ExpandPrime_m4245F4C95074EAA8F949FB3B734F611A533A6A0D((int32_t)L_0, /*hidden argument*/NULL); V_0 = (int32_t)L_1; int32_t L_2 = V_0; int32_t L_3 = (int32_t)__this->get__count_9(); if ((((int32_t)L_2) > ((int32_t)L_3))) { goto IL_0020; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_4, (String_t*)_stringLiteral1975CBF77583BAA2872D5092B6B3C8C6E30B630C, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, HashSet_1_IncreaseCapacity_m5E489948DFAF48EF132FFCCA37075A5C6AFAAAE1_RuntimeMethod_var); } IL_0020: { int32_t L_5 = V_0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (int32_t)L_5, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)); return; } } // System.Void System.Collections.Generic.HashSet`1<System.Object>::SetCapacity(System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void HashSet_1_SetCapacity_m15EEB6C5C519EB741981DBB6F3C7C26E79558497_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, int32_t ___newSize0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (HashSet_1_SetCapacity_m15EEB6C5C519EB741981DBB6F3C7C26E79558497_MetadataUsageId); s_Il2CppMethodInitialized = true; } SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* V_0 = NULL; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* V_1 = NULL; int32_t V_2 = 0; int32_t V_3 = 0; { int32_t L_0 = ___newSize0; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_1 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)(SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)SZArrayNew(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 15), (uint32_t)L_0); V_0 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)L_1; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_2 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); if (!L_2) { goto IL_0023; } } { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_3 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_4 = V_0; int32_t L_5 = (int32_t)__this->get__lastIndex_10(); Array_Copy_mA10D079DD8D9700CA44721A219A934A2397653F6((RuntimeArray *)(RuntimeArray *)L_3, (int32_t)0, (RuntimeArray *)(RuntimeArray *)L_4, (int32_t)0, (int32_t)L_5, /*hidden argument*/NULL); } IL_0023: { int32_t L_6 = ___newSize0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_7 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)SZArrayNew(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83_il2cpp_TypeInfo_var, (uint32_t)L_6); V_1 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)L_7; V_2 = (int32_t)0; goto IL_0058; } IL_002e: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_8 = V_0; int32_t L_9 = V_2; NullCheck(L_8); int32_t L_10 = (int32_t)((L_8)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_9)))->get_hashCode_0(); int32_t L_11 = ___newSize0; V_3 = (int32_t)((int32_t)((int32_t)L_10%(int32_t)L_11)); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_12 = V_0; int32_t L_13 = V_2; NullCheck(L_12); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_14 = V_1; int32_t L_15 = V_3; NullCheck(L_14); int32_t L_16 = L_15; int32_t L_17 = (L_14)->GetAt(static_cast<il2cpp_array_size_t>(L_16)); ((L_12)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_13)))->set_next_1(((int32_t)il2cpp_codegen_subtract((int32_t)L_17, (int32_t)1))); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_18 = V_1; int32_t L_19 = V_3; int32_t L_20 = V_2; NullCheck(L_18); (L_18)->SetAt(static_cast<il2cpp_array_size_t>(L_19), (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_20, (int32_t)1))); int32_t L_21 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_21, (int32_t)1)); } IL_0058: { int32_t L_22 = V_2; int32_t L_23 = (int32_t)__this->get__lastIndex_10(); if ((((int32_t)L_22) < ((int32_t)L_23))) { goto IL_002e; } } { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_24 = V_0; __this->set__slots_8(L_24); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_25 = V_1; __this->set__buckets_7(L_25); return; } } // System.Boolean System.Collections.Generic.HashSet`1<System.Object>::AddIfNotPresent(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool HashSet_1_AddIfNotPresent_m5F19FC2B7055FEC839F0A5D48D2F4FF1B8860BDD_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { int32_t V_0 = 0; int32_t V_1 = 0; int32_t V_2 = 0; int32_t V_3 = 0; { Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_0 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); if (L_0) { goto IL_000f; } } { NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 18)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (int32_t)0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 18)); } IL_000f: { RuntimeObject * L_1 = ___value0; NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); int32_t L_2 = (( int32_t (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, (RuntimeObject *)L_1, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); V_0 = (int32_t)L_2; int32_t L_3 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_4 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_4); V_1 = (int32_t)((int32_t)((int32_t)L_3%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_4)->max_length)))))); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_5 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_6 = V_1; NullCheck(L_5); int32_t L_7 = L_6; int32_t L_8 = (L_5)->GetAt(static_cast<il2cpp_array_size_t>(L_7)); V_3 = (int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_8, (int32_t)1)); goto IL_0076; } IL_002f: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_9 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_10 = V_3; NullCheck(L_9); int32_t L_11 = (int32_t)((L_9)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_10)))->get_hashCode_0(); int32_t L_12 = V_0; if ((!(((uint32_t)L_11) == ((uint32_t)L_12)))) { goto IL_0064; } } { RuntimeObject* L_13 = (RuntimeObject*)__this->get__comparer_12(); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_14 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_15 = V_3; NullCheck(L_14); RuntimeObject * L_16 = (RuntimeObject *)((L_14)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_15)))->get_value_2(); RuntimeObject * L_17 = ___value0; NullCheck((RuntimeObject*)L_13); bool L_18 = InterfaceFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(0 /* System.Boolean System.Collections.Generic.IEqualityComparer`1<System.Object>::Equals(!0,!0) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 5), (RuntimeObject*)L_13, (RuntimeObject *)L_16, (RuntimeObject *)L_17); if (!L_18) { goto IL_0064; } } { return (bool)0; } IL_0064: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_19 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_20 = V_3; NullCheck(L_19); int32_t L_21 = (int32_t)((L_19)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_20)))->get_next_1(); V_3 = (int32_t)L_21; } IL_0076: { int32_t L_22 = V_3; if ((((int32_t)L_22) >= ((int32_t)0))) { goto IL_002f; } } { int32_t L_23 = (int32_t)__this->get__freeList_11(); if ((((int32_t)L_23) < ((int32_t)0))) { goto IL_00a3; } } { int32_t L_24 = (int32_t)__this->get__freeList_11(); V_2 = (int32_t)L_24; SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_25 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_26 = V_2; NullCheck(L_25); int32_t L_27 = (int32_t)((L_25)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_26)))->get_next_1(); __this->set__freeList_11(L_27); goto IL_00d9; } IL_00a3: { int32_t L_28 = (int32_t)__this->get__lastIndex_10(); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_29 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); NullCheck(L_29); if ((!(((uint32_t)L_28) == ((uint32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_29)->max_length)))))))) { goto IL_00c4; } } { NullCheck((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this); (( void (*) (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 19)->methodPointer)((HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 19)); int32_t L_30 = V_0; Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_31 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); NullCheck(L_31); V_1 = (int32_t)((int32_t)((int32_t)L_30%(int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_31)->max_length)))))); } IL_00c4: { int32_t L_32 = (int32_t)__this->get__lastIndex_10(); V_2 = (int32_t)L_32; int32_t L_33 = (int32_t)__this->get__lastIndex_10(); __this->set__lastIndex_10(((int32_t)il2cpp_codegen_add((int32_t)L_33, (int32_t)1))); } IL_00d9: { SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_34 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_35 = V_2; NullCheck(L_34); int32_t L_36 = V_0; ((L_34)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_35)))->set_hashCode_0(L_36); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_37 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_38 = V_2; NullCheck(L_37); RuntimeObject * L_39 = ___value0; ((L_37)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_38)))->set_value_2(L_39); SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B* L_40 = (SlotU5BU5D_t83FEB9D875895C5325CEBD4450ADC3B8E6FA8F4B*)__this->get__slots_8(); int32_t L_41 = V_2; NullCheck(L_40); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_42 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_43 = V_1; NullCheck(L_42); int32_t L_44 = L_43; int32_t L_45 = (L_42)->GetAt(static_cast<il2cpp_array_size_t>(L_44)); ((L_40)->GetAddressAt(static_cast<il2cpp_array_size_t>(L_41)))->set_next_1(((int32_t)il2cpp_codegen_subtract((int32_t)L_45, (int32_t)1))); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_46 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)__this->get__buckets_7(); int32_t L_47 = V_1; int32_t L_48 = V_2; NullCheck(L_46); (L_46)->SetAt(static_cast<il2cpp_array_size_t>(L_47), (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_48, (int32_t)1))); int32_t L_49 = (int32_t)__this->get__count_9(); __this->set__count_9(((int32_t)il2cpp_codegen_add((int32_t)L_49, (int32_t)1))); int32_t L_50 = (int32_t)__this->get__version_13(); __this->set__version_13(((int32_t)il2cpp_codegen_add((int32_t)L_50, (int32_t)1))); return (bool)1; } } // System.Int32 System.Collections.Generic.HashSet`1<System.Object>::InternalGetHashCode(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t HashSet_1_InternalGetHashCode_m76842CED0B2B57E7B33B961713333C3B9714F14E_gshared (HashSet_1_tCB9A93E0664C5F2540DB06B45AEF3605389EFF8E * __this, RuntimeObject * ___item0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___item0; if (L_0) { goto IL_000a; } } { return 0; } IL_000a: { RuntimeObject* L_1 = (RuntimeObject*)__this->get__comparer_12(); RuntimeObject * L_2 = ___item0; NullCheck((RuntimeObject*)L_1); int32_t L_3 = InterfaceFuncInvoker1< int32_t, RuntimeObject * >::Invoke(1 /* System.Int32 System.Collections.Generic.IEqualityComparer`1<System.Object>::GetHashCode(!0) */, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 5), (RuntimeObject*)L_1, (RuntimeObject *)L_2); return ((int32_t)((int32_t)L_3&(int32_t)((int32_t)2147483647LL))); } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = ___key0; __this->set_key_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF_AdjustorThunk (RuntimeObject * __this, DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *>(__this + 1); KeyValuePair_2__ctor_mDE04093EC61BE2A8488E791E66598DE871AA96AF(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *>(__this + 1); return KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *>(__this + 1); return KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2_gshared (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_inline((KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); RuntimeObject * L_3 = KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_inline((KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *>(__this + 1); return KeyValuePair_2_ToString_mDCF55394A47B222A89A6EE3F81207A5F2A39B1A2(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, Guid_t ___key0, int32_t ___value1, const RuntimeMethod* method) { { Guid_t L_0 = ___key0; __this->set_key_0(L_0); int32_t L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1_AdjustorThunk (RuntimeObject * __this, Guid_t ___key0, int32_t ___value1, const RuntimeMethod* method) { KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *>(__this + 1); KeyValuePair_2__ctor_mC18B77324D99E7E7B62647AC455E58EBFA4F7AE1(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { { Guid_t L_0 = (Guid_t )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C Guid_t KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *>(__this + 1); return KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *>(__this + 1); return KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887_gshared (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { { Guid_t L_0 = KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_inline((KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *)(KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); Guid_t L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); int32_t L_3 = KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_inline((KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *)(KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); int32_t L_4 = L_3; RuntimeObject * L_5 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3), &L_4); String_t* L_6 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_5, /*hidden argument*/NULL); return L_6; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 *>(__this + 1); return KeyValuePair_2_ToString_m7504D20CC9CD0E0178504696748912B6257BB887(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, Guid_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { { Guid_t L_0 = ___key0; __this->set_key_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83_AdjustorThunk (RuntimeObject * __this, Guid_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *>(__this + 1); KeyValuePair_2__ctor_mEC9772E27F2C7F3D3F19D0C8B1B5A4C0F1F51E83(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { { Guid_t L_0 = (Guid_t )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C Guid_t KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *>(__this + 1); return KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *>(__this + 1); return KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Guid,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403_gshared (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { { Guid_t L_0 = KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_inline((KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *)(KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); Guid_t L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); RuntimeObject * L_3 = KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_inline((KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *)(KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 *>(__this + 1); return KeyValuePair_2_ToString_m6F4CD0CD2830A9BAB1881968345F329D51773403(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, int32_t ___key0, int32_t ___value1, const RuntimeMethod* method) { { int32_t L_0 = ___key0; __this->set_key_0(L_0); int32_t L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0_AdjustorThunk (RuntimeObject * __this, int32_t ___key0, int32_t ___value1, const RuntimeMethod* method) { KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *>(__this + 1); KeyValuePair_2__ctor_m87D429E0B3923A6CF37A52F6F8C56B8FFFBE06D0(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *>(__this + 1); return KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *>(__this + 1); return KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C_gshared (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { { int32_t L_0 = KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_inline((KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *)(KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); int32_t L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); int32_t L_3 = KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_inline((KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *)(KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); int32_t L_4 = L_3; RuntimeObject * L_5 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3), &L_4); String_t* L_6 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_5, /*hidden argument*/NULL); return L_6; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 *>(__this + 1); return KeyValuePair_2_ToString_m8AE8DDFE83D08CD46217196FF27FF934A542C12C(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, int32_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { { int32_t L_0 = ___key0; __this->set_key_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078_AdjustorThunk (RuntimeObject * __this, int32_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *>(__this + 1); KeyValuePair_2__ctor_m0E2B8624D7996D6A5BA2A81383EE983F4A9DC078(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *>(__this + 1); return KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *>(__this + 1); return KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Int32,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6_gshared (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { { int32_t L_0 = KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_inline((KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *)(KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); int32_t L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); RuntimeObject * L_3 = KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_inline((KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *)(KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 *>(__this + 1); return KeyValuePair_2_ToString_mA08653D28F24D8EEBE68DDFE8B80981F50847AD6(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___key0; __this->set_key_0(L_0); int32_t L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *>(__this + 1); KeyValuePair_2__ctor_m463A67E5B6E5EC73FA4BFA6FE08C52EA7F7B418D(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *>(__this + 1); return KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *>(__this + 1); return KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35_gshared (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_inline((KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); int32_t L_1 = KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_inline((KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)(KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); int32_t L_2 = L_1; RuntimeObject * L_3 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3), &L_2); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_0, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E *>(__this + 1); return KeyValuePair_2_ToString_m80C3101DE1A693D2DF57203D6D8AAE04A3D20B35(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___key0; __this->set_key_0(L_0); int32_t L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___key0, int32_t ___value1, const RuntimeMethod* method) { KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *>(__this + 1); KeyValuePair_2__ctor_m5001221DAEAF189D4103F58AB40101F089635425(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *>(__this + 1); return KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C int32_t KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *>(__this + 1); return KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Int32Enum>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D_gshared (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_inline((KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *)(KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); int32_t L_1 = KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_inline((KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *)(KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); int32_t L_2 = L_1; RuntimeObject * L_3 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3), &L_2); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_0, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 *>(__this + 1); return KeyValuePair_2_ToString_m62BCC04BEC55D4142AFAE18FD0D7BE9F22BE0E6D(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___key0; __this->set_key_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *>(__this + 1); KeyValuePair_2__ctor_m783A0935E40FCB80D5940E8CCF0EFEFE41D7C7D3(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *>(__this + 1); return KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *>(__this + 1); return KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA_gshared (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_inline((KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); RuntimeObject * L_1 = KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_inline((KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)(KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); String_t* L_2 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_0, (RuntimeObject *)L_1, /*hidden argument*/NULL); return L_2; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE *>(__this + 1); return KeyValuePair_2_ToString_mE61B06FD84BE7FBC25C1C04066BF55C63D42CFAA(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, RuntimeObject * ___key0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___key0; __this->set_key_0(L_0); ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___key0, ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C ___value1, const RuntimeMethod* method) { KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *>(__this + 1); KeyValuePair_2__ctor_m036B07A37CD133C33431E3A1AD0C3A57DBC521F0(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *>(__this + 1); return KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { { ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_0 = (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *>(__this + 1); return KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.Object,System.Resources.ResourceLocator>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E_gshared (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_inline((KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_1 = KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_inline((KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)(KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_2 = L_1; RuntimeObject * L_3 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 3), &L_2); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_0, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 *>(__this + 1); return KeyValuePair_2_ToString_mAF4C5A0823CBEDD015EA30B01888065FDEAD524E(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::.ctor(TKey,TValue) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, uint64_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { { uint64_t L_0 = ___key0; __this->set_key_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_value_1(L_1); return; } } IL2CPP_EXTERN_C void KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9_AdjustorThunk (RuntimeObject * __this, uint64_t ___key0, RuntimeObject * ___value1, const RuntimeMethod* method) { KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *>(__this + 1); KeyValuePair_2__ctor_m94CF1D2B0346680C996CF7A374D1C3ABFB13E8D9(_thisAdjusted, ___key0, ___value1, method); } // TKey System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Key() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint64_t KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { { uint64_t L_0 = (uint64_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C uint64_t KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *>(__this + 1); return KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_inline(_thisAdjusted, method); } // TValue System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *>(__this + 1); return KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_inline(_thisAdjusted, method); } // System.String System.Collections.Generic.KeyValuePair`2<System.UInt64,System.Object>::ToString() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR String_t* KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359_gshared (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { { uint64_t L_0 = KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_inline((KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *)(KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); uint64_t L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 1), &L_1); RuntimeObject * L_3 = KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_inline((KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *)(KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 2)); String_t* L_4 = KeyValuePair_PairToString_m6BF6066704BEFFC9313BDE0D4B6D75E3A9056B03((RuntimeObject *)L_2, (RuntimeObject *)L_3, /*hidden argument*/NULL); return L_4; } } IL2CPP_EXTERN_C String_t* KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * _thisAdjusted = reinterpret_cast<KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 *>(__this + 1); return KeyValuePair_2_ToString_m49674BC4235B0EF36F2E07C6D26B6FD6038CF359(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.LinkedListNode`1<System.Object>::.ctor(System.Collections.Generic.LinkedList`1<T>,T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedListNode_1__ctor_m5484CD2F394EC1E0C94BEF7EB7541A6C4E1D3BAF_gshared (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * __this, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list0, RuntimeObject * ___value1, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_0 = ___list0; __this->set_list_0(L_0); RuntimeObject * L_1 = ___value1; __this->set_item_3(L_1); return; } } // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedListNode`1<System.Object>::get_Next() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * LinkedListNode_1_get_Next_mB33EA4DCE8E0BF4A4E30EDBB6941BF58970EF6A3_gshared (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * __this, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_next_1(); if (!L_0) { goto IL_0022; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_next_1(); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_2 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get_list_0(); NullCheck(L_2); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2->get_head_0(); if ((((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3))) { goto IL_0022; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_next_1(); return L_4; } IL_0022: { return (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL; } } // T System.Collections.Generic.LinkedListNode`1<System.Object>::get_Value() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * LinkedListNode_1_get_Value_m36A53343597D289FE50219266EDE929003F0EA89_gshared (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_item_3(); return L_0; } } // System.Void System.Collections.Generic.LinkedListNode`1<System.Object>::Invalidate() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedListNode_1_Invalidate_mB2FF9CB6EE5977285E39FAD5E26686C247300ECA_gshared (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * __this, const RuntimeMethod* method) { { __this->set_list_0((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)NULL); __this->set_next_1((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); __this->set_prev_2((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); return; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::.ctor(System.Collections.Generic.LinkedList`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list0, const RuntimeMethod* method) { { LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_0 = ___list0; __this->set__list_0(L_0); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get_version_2(); __this->set__version_2(L_2); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_3 = ___list0; NullCheck(L_3); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3->get_head_0(); __this->set__node_1(L_4); RuntimeObject ** L_5 = (RuntimeObject **)__this->get_address_of__current_3(); il2cpp_codegen_initobj(L_5, sizeof(RuntimeObject *)); __this->set__index_4(0); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD_AdjustorThunk (RuntimeObject * __this, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * ___list0, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_MetadataUsageId); s_Il2CppMethodInitialized = true; } { PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 * L_0 = (PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 *)il2cpp_codegen_object_new(PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5_il2cpp_TypeInfo_var); PlatformNotSupportedException__ctor_m651139B17C9EE918551490BC675754EA8EA3E7C7(L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_0, NULL, Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_RuntimeMethod_var); } } IL2CPP_EXTERN_C void Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33_AdjustorThunk (RuntimeObject * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator__ctor_m70460E46A0A973EDFDC4C1428556F17E962FBD33(_thisAdjusted, ___info0, ___context1, method); } // T System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get__current_3(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); return Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__index_4(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get__index_4(); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_2 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_2); int32_t L_3 = (( int32_t (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0028; } } IL_001d: { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, (String_t*)_stringLiteral4B7A2452FBAAF02487F5667BCA2E7D64B9707EDC, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_RuntimeMethod_var); } IL_0028: { RuntimeObject * L_5 = (RuntimeObject *)__this->get__current_3(); return L_5; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_mEF3C83C2E1492B444EC667BC30D24DAA306C0D41(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__version_2(); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_1 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get_version_2(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001e; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_3 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_3, (String_t*)_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_RuntimeMethod_var); } IL_001e: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get__node_1(); if (L_4) { goto IL_003b; } } { LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_5 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_5); int32_t L_6 = (( int32_t (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_5, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); __this->set__index_4(((int32_t)il2cpp_codegen_add((int32_t)L_6, (int32_t)1))); return (bool)0; } IL_003b: { int32_t L_7 = (int32_t)__this->get__index_4(); __this->set__index_4(((int32_t)il2cpp_codegen_add((int32_t)L_7, (int32_t)1))); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_8 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get__node_1(); NullCheck(L_8); RuntimeObject * L_9 = (RuntimeObject *)L_8->get_item_3(); __this->set__current_3(L_9); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_10 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get__node_1(); NullCheck(L_10); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_11 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_10->get_next_1(); __this->set__node_1(L_11); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_12 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get__node_1(); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_13 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck(L_13); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_14 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_13->get_head_0(); if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_12) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_14)))) { goto IL_0085; } } { __this->set__node_1((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); } IL_0085: { return (bool)1; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); return Enumerator_MoveNext_m1F76FAAE8C65D4683D564209884CF1F542E1BE76(_thisAdjusted, method); } // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_MetadataUsageId); s_Il2CppMethodInitialized = true; } { int32_t L_0 = (int32_t)__this->get__version_2(); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_1 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get_version_2(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001e; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_3 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_3, (String_t*)_stringLiteralFAD66767010E09AA6ADD07FA89C43A7F43F44049, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_3, NULL, Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_RuntimeMethod_var); } IL_001e: { RuntimeObject ** L_4 = (RuntimeObject **)__this->get_address_of__current_3(); il2cpp_codegen_initobj(L_4, sizeof(RuntimeObject *)); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_5 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this->get__list_0(); NullCheck(L_5); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_5->get_head_0(); __this->set__node_1(L_6); __this->set__index_4(0); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_m88EE4B2B2DE4024B3AFE1A428F4F93E166F52E9E(_thisAdjusted, method); } // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator_Dispose_m1B7098F5633356EA91D1B23577F076F81AEA05C6(_thisAdjusted, method); } // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::System.Runtime.Serialization.ISerializable.GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_MetadataUsageId); s_Il2CppMethodInitialized = true; } { PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 * L_0 = (PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 *)il2cpp_codegen_object_new(PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5_il2cpp_TypeInfo_var); PlatformNotSupportedException__ctor_m651139B17C9EE918551490BC675754EA8EA3E7C7(L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_0, NULL, Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_RuntimeMethod_var); } } IL2CPP_EXTERN_C void Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31_AdjustorThunk (RuntimeObject * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator_System_Runtime_Serialization_ISerializable_GetObjectData_mDEB66907C957F07DF882E90FCCAB6FC2E3986A31(_thisAdjusted, ___info0, ___context1, method); } // System.Void System.Collections.Generic.LinkedList`1_Enumerator<System.Object>::System.Runtime.Serialization.IDeserializationCallback.OnDeserialization(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_gshared (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_MetadataUsageId); s_Il2CppMethodInitialized = true; } { PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 * L_0 = (PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5 *)il2cpp_codegen_object_new(PlatformNotSupportedException_t14FE109377F8FA8B3B2F9A0C4FE3BF10662C73B5_il2cpp_TypeInfo_var); PlatformNotSupportedException__ctor_m651139B17C9EE918551490BC675754EA8EA3E7C7(L_0, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_0, NULL, Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_RuntimeMethod_var); } } IL2CPP_EXTERN_C void Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149_AdjustorThunk (RuntimeObject * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * _thisAdjusted = reinterpret_cast<Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 *>(__this + 1); Enumerator_System_Runtime_Serialization_IDeserializationCallback_OnDeserialization_m2335DBF08216C9C26AFDDCB5D2CFBC5E0911B149(_thisAdjusted, ___sender0, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.LinkedList`1<System.Object>::.ctor() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1__ctor_mAB175C80A916D8714D714BBC61066B970B47982E_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::.ctor(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1__ctor_m0343166E3B898CE21253D7D60635DC1EF6CB5A5E_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { { NullCheck((RuntimeObject *)__this); Object__ctor_m925ECA5E85CA100E3FB86A4F9E15C120E9A184C0((RuntimeObject *)__this, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; __this->set__siInfo_3(L_0); return; } } // System.Int32 System.Collections.Generic.LinkedList`1<System.Object>::get_Count() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t LinkedList_1_get_Count_m3FEDB19F06F4B650469DB1D5D2308832AC52B75D_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_count_1(); return L_0; } } // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1<System.Object>::get_First() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * LinkedList_1_get_First_m0C98E2DE4C013B92EDF858C9A5DEA9A30BB5523C_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); return L_0; } } // System.Boolean System.Collections.Generic.LinkedList`1<System.Object>::System.Collections.Generic.ICollection<T>.get_IsReadOnly() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool LinkedList_1_System_Collections_Generic_ICollectionU3CTU3E_get_IsReadOnly_m57688FF3DD64845360E794408D6830026C68413E_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { return (bool)0; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::System.Collections.Generic.ICollection<T>.Add(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_System_Collections_Generic_ICollectionU3CTU3E_Add_m594AFBF680024846D5A60325A9F414DC5EE7CDF7_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___value0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)); return; } } // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1<System.Object>::AddFirst(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * LinkedList_1_AddFirst_m9239CB49945A15855C219FF8D1EF8DB6E4F216C8_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_0 = NULL; { RuntimeObject * L_0 = ___value0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1)); (( void (*) (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)->methodPointer)(L_1, (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if (L_2) { goto IL_0019; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); goto IL_002d; } IL_0019: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_4, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_5, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = V_0; __this->set_head_0(L_6); } IL_002d: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_7 = V_0; return L_7; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::AddFirst(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_AddFirst_m2EFB30065D70A52B789D17A6D0177B9013D3BDFC_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___node0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 5)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 5)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if (L_1) { goto IL_0018; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___node0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); goto IL_002c; } IL_0018: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = ___node0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_4, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = ___node0; __this->set_head_0(L_5); } IL_002c: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = ___node0; NullCheck(L_6); L_6->set_list_0(__this); return; } } // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1<System.Object>::AddLast(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * LinkedList_1_AddLast_m968B782331A31FE20156A13687378A375B788568_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_0 = NULL; { RuntimeObject * L_0 = ___value0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)il2cpp_codegen_object_new(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 1)); (( void (*) (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)->methodPointer)(L_1, (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 2)); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if (L_2) { goto IL_0019; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 3)); goto IL_0026; } IL_0019: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_4, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_5, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 4)); } IL_0026: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = V_0; return L_6; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::Clear() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_Clear_m00D939DBBD1B791D7DE212B1FC05F78EFB4DC9BA_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_0 = NULL; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_1 = NULL; { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_0; goto IL_0018; } IL_0009: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = V_0; V_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = V_0; NullCheck((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = (( LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * (*) (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)->methodPointer)((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 6)); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = V_1; NullCheck((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_4); (( void (*) (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 7)->methodPointer)((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_4, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 7)); } IL_0018: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = V_0; if (L_5) { goto IL_0009; } } { __this->set_head_0((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); __this->set_count_1(0); int32_t L_6 = (int32_t)__this->get_version_2(); __this->set_version_2(((int32_t)il2cpp_codegen_add((int32_t)L_6, (int32_t)1))); return; } } // System.Boolean System.Collections.Generic.LinkedList`1<System.Object>::Contains(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool LinkedList_1_Contains_m4E3DFDDEC3A29E9258B077F64058B0F0EC118B42_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { { RuntimeObject * L_0 = ___value0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (( LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 8)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 8)); return (bool)((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1) <= ((RuntimeObject*)(RuntimeObject *)NULL)))? 1 : 0); } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::CopyTo(T[],System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_MetadataUsageId); s_Il2CppMethodInitialized = true; } LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_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, LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_RuntimeMethod_var); } IL_000e: { int32_t L_2 = ___index1; if ((((int32_t)L_2) >= ((int32_t)0))) { goto IL_0028; } } { int32_t L_3 = ___index1; int32_t L_4 = L_3; RuntimeObject * L_5 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_4); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_6 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378(L_6, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, (RuntimeObject *)L_5, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_6, NULL, LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_RuntimeMethod_var); } IL_0028: { int32_t L_7 = ___index1; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = ___array0; NullCheck(L_8); if ((((int32_t)L_7) <= ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_8)->max_length))))))) { goto IL_0044; } } { int32_t L_9 = ___index1; int32_t L_10 = L_9; RuntimeObject * L_11 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_10); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_12 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378(L_12, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, (RuntimeObject *)L_11, (String_t*)_stringLiteral2060DAB8A1CFF1775D25A4E030FE56E2C02AB955, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, NULL, LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_RuntimeMethod_var); } IL_0044: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_13 = ___array0; NullCheck(L_13); int32_t L_14 = ___index1; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); int32_t L_15 = (( int32_t (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_13)->max_length)))), (int32_t)L_14))) >= ((int32_t)L_15))) { goto IL_005c; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_16 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_16, (String_t*)_stringLiteralCD7D0AC2EBED64F823B1ECA559037A9CB8EDE01A, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_16, NULL, LinkedList_1_CopyTo_mB9E229AFD2D66A6DF0697D2F5E45EFBF9D229324_RuntimeMethod_var); } IL_005c: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_17 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_17; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_18 = V_0; if (!L_18) { goto IL_0088; } } IL_0066: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_19 = ___array0; int32_t L_20 = ___index1; int32_t L_21 = (int32_t)L_20; ___index1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_21, (int32_t)1)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_22 = V_0; NullCheck(L_22); RuntimeObject * L_23 = (RuntimeObject *)L_22->get_item_3(); NullCheck(L_19); (L_19)->SetAt(static_cast<il2cpp_array_size_t>(L_21), (RuntimeObject *)L_23); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_24 = V_0; NullCheck(L_24); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_25 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_24->get_next_1(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_25; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_26 = V_0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_27 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_26) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_27)))) { goto IL_0066; } } IL_0088: { return; } } // System.Collections.Generic.LinkedListNode`1<T> System.Collections.Generic.LinkedList`1<System.Object>::Find(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * LinkedList_1_Find_mF9B8FB1F0C9857367FB15A74E0BB33D5BE1C0E17_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_0 = NULL; EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * V_1 = NULL; { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_0; EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_1 = (( EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * (*) (const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 10)->methodPointer)(/*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 10)); V_1 = (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)L_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = V_0; if (!L_2) { goto IL_005a; } } { RuntimeObject * L_3 = ___value0; if (!L_3) { goto IL_003b; } } IL_0018: { EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA * L_4 = V_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = V_0; NullCheck(L_5); RuntimeObject * L_6 = (RuntimeObject *)L_5->get_item_3(); RuntimeObject * L_7 = ___value0; NullCheck((EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)L_4); bool L_8 = VirtFuncInvoker2< bool, RuntimeObject *, RuntimeObject * >::Invoke(8 /* System.Boolean System.Collections.Generic.EqualityComparer`1<System.Object>::Equals(!0,!0) */, (EqualityComparer_1_t54972BA287ED38B066E4BE7A3B21F49803B62EBA *)L_4, (RuntimeObject *)L_6, (RuntimeObject *)L_7); if (!L_8) { goto IL_0029; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_9 = V_0; return L_9; } IL_0029: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_10 = V_0; NullCheck(L_10); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_11 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_10->get_next_1(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_11; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_12 = V_0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_13 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_12) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_13)))) { goto IL_0018; } } { goto IL_005a; } IL_003b: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_14 = V_0; NullCheck(L_14); RuntimeObject * L_15 = (RuntimeObject *)L_14->get_item_3(); if (L_15) { goto IL_004a; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_16 = V_0; return L_16; } IL_004a: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_17 = V_0; NullCheck(L_17); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_18 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_17->get_next_1(); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_18; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_19 = V_0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_20 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_19) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_20)))) { goto IL_003b; } } IL_005a: { return (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL; } } // System.Collections.Generic.LinkedList`1_Enumerator<T> System.Collections.Generic.LinkedList`1<System.Object>::GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 LinkedList_1_GetEnumerator_mAEC73AA7105E045A6E00B4A688D320614954B3AD_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 L_0; memset((&L_0), 0, sizeof(L_0)); Enumerator__ctor_m486CBA7FD8E99D575ECDFE169BB5ECE77E9FE9AD((&L_0), (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 15)); return L_0; } } // System.Collections.Generic.IEnumerator`1<T> System.Collections.Generic.LinkedList`1<System.Object>::System.Collections.Generic.IEnumerable<T>.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* LinkedList_1_System_Collections_Generic_IEnumerableU3CTU3E_GetEnumerator_mB023D16A049F798E421C9275AD5F83FAD901CD2A_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 L_0 = (( Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 16)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 16)); Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 14), &L_1); return (RuntimeObject*)L_2; } } // System.Boolean System.Collections.Generic.LinkedList`1<System.Object>::Remove(T) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool LinkedList_1_Remove_mD52BBB5ADAD10CDE468F87DBBCA3F7131C80336E_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___value0, const RuntimeMethod* method) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_0 = NULL; { RuntimeObject * L_0 = ___value0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (( LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 8)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 8)); V_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = V_0; if (!L_2) { goto IL_0014; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)); return (bool)1; } IL_0014: { return (bool)0; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::Remove(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_Remove_mADE035B335CACEA3A43B1A81CC4A837E23372398_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___node0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 18)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 18)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = ___node0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::RemoveLast() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_RemoveLast_m8CE08D60D1A800F681D7870F88133EB471EF30CB_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_RemoveLast_m8CE08D60D1A800F681D7870F88133EB471EF30CB_MetadataUsageId); s_Il2CppMethodInitialized = true; } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if (L_0) { goto IL_0013; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_1 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_1, (String_t*)_stringLiteralD504FDA00F5034044EB76B5BB63CE2E25C8806DE, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, LinkedList_1_RemoveLast_m8CE08D60D1A800F681D7870F88133EB471EF30CB_RuntimeMethod_var); } IL_0013: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); NullCheck(L_2); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2->get_prev_2(); NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 17)); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::GetObjectData(System.Runtime.Serialization.SerializationInfo,System.Runtime.Serialization.StreamingContext) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_GetObjectData_m0D37AE05D3E45DF993C0CC18153CA428ED73478F_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * ___info0, StreamingContext_t2CCDC54E0E8D078AF4A50E3A8B921B828A900034 ___context1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_GetObjectData_m0D37AE05D3E45DF993C0CC18153CA428ED73478F_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = ___info0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral59BD0A3FF43B32849B319E645D4798D8A5D1E889, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, LinkedList_1_GetObjectData_m0D37AE05D3E45DF993C0CC18153CA428ED73478F_RuntimeMethod_var); } IL_000e: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_2 = ___info0; int32_t L_3 = (int32_t)__this->get_version_2(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_2); SerializationInfo_AddValue_m7C73917D9DC4B8FE4AFEF4BA8EBEDAB046A8D0BD((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_2, (String_t*)_stringLiteral2DA600BF9404843107A9531694F654E5662959E0, (int32_t)L_3, /*hidden argument*/NULL); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_4 = ___info0; int32_t L_5 = (int32_t)__this->get_count_1(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_4); SerializationInfo_AddValue_m7C73917D9DC4B8FE4AFEF4BA8EBEDAB046A8D0BD((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_4, (String_t*)_stringLiteral66E12969C225CC6D65E18210488ACB826EBA907E, (int32_t)L_5, /*hidden argument*/NULL); int32_t L_6 = (int32_t)__this->get_count_1(); if (!L_6) { goto IL_0062; } } { int32_t L_7 = (int32_t)__this->get_count_1(); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)(ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)SZArrayNew(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 19), (uint32_t)L_7); V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_8; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = V_0; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 20)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_9, (int32_t)0, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 20)); SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_10 = ___info0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = V_0; RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_12 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 21)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_13 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_12, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_10); SerializationInfo_AddValue_mE0A104C01EFA55A83D4CAE4662A9B4C6459911FC((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_10, (String_t*)_stringLiteralE5E429BCC9C2E4A41A3C7A4D96203BE6CB273B11, (RuntimeObject *)(RuntimeObject *)L_11, (Type_t *)L_13, /*hidden argument*/NULL); } IL_0062: { return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::OnDeserialization(System.Object) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_OnDeserialization_m114383619E04563871C289C365F50669C06DC87C_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeObject * ___sender0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_OnDeserialization_m114383619E04563871C289C365F50669C06DC87C_MetadataUsageId); s_Il2CppMethodInitialized = true; } int32_t V_0 = 0; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL; int32_t V_2 = 0; { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_0 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_3(); if (L_0) { goto IL_0009; } } { return; } IL_0009: { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_1 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_3(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_1); int32_t L_2 = SerializationInfo_GetInt32_mB47BD46A0BDBBAF5B47BB62E6EFF8E092E3F3656((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_1, (String_t*)_stringLiteral2DA600BF9404843107A9531694F654E5662959E0, /*hidden argument*/NULL); V_0 = (int32_t)L_2; SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_3 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_3(); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_3); int32_t L_4 = SerializationInfo_GetInt32_mB47BD46A0BDBBAF5B47BB62E6EFF8E092E3F3656((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_3, (String_t*)_stringLiteral66E12969C225CC6D65E18210488ACB826EBA907E, /*hidden argument*/NULL); if (!L_4) { goto IL_0078; } } { SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 * L_5 = (SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)__this->get__siInfo_3(); RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D L_6 = { reinterpret_cast<intptr_t> (IL2CPP_RGCTX_TYPE(method->klass->rgctx_data, 21)) }; IL2CPP_RUNTIME_CLASS_INIT(Type_t_il2cpp_TypeInfo_var); Type_t * L_7 = Type_GetTypeFromHandle_m9DC58ADF0512987012A8A016FB64B068F3B1AFF6((RuntimeTypeHandle_t7B542280A22F0EC4EAC2061C29178845847A8B2D )L_6, /*hidden argument*/NULL); NullCheck((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_5); RuntimeObject * L_8 = SerializationInfo_GetValue_m7910CE6C68888C1F863D7A35915391FA33463ECF((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)L_5, (String_t*)_stringLiteralE5E429BCC9C2E4A41A3C7A4D96203BE6CB273B11, (Type_t *)L_7, /*hidden argument*/NULL); V_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)Castclass((RuntimeObject*)L_8, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 22))); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_9 = V_1; if (L_9) { goto IL_005a; } } { SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 * L_10 = (SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210 *)il2cpp_codegen_object_new(SerializationException_tA1FDFF6779406E688C2192E71C38DBFD7A4A2210_il2cpp_TypeInfo_var); SerializationException__ctor_m88AAD9671030A8A96AA87CB95701938FBD8F16E1(L_10, (String_t*)_stringLiteralBB682E5F54E22D6CDF0694F6B2B8CA34656AAEC9, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_10, NULL, LinkedList_1_OnDeserialization_m114383619E04563871C289C365F50669C06DC87C_RuntimeMethod_var); } IL_005a: { V_2 = (int32_t)0; goto IL_0070; } IL_005e: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_11 = V_1; int32_t L_12 = V_2; NullCheck(L_11); int32_t L_13 = L_12; RuntimeObject * L_14 = (L_11)->GetAt(static_cast<il2cpp_array_size_t>(L_13)); NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, RuntimeObject *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (RuntimeObject *)L_14, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 0)); int32_t L_15 = V_2; V_2 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_15, (int32_t)1)); } IL_0070: { int32_t L_16 = V_2; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_17 = V_1; NullCheck(L_17); if ((((int32_t)L_16) < ((int32_t)(((int32_t)((int32_t)(((RuntimeArray*)L_17)->max_length))))))) { goto IL_005e; } } { goto IL_007f; } IL_0078: { __this->set_head_0((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); } IL_007f: { int32_t L_18 = V_0; __this->set_version_2(L_18); __this->set__siInfo_3((SerializationInfo_t1BB80E9C9DEA52DBF464487234B045E2930ADA26 *)NULL); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::InternalInsertNodeBefore(System.Collections.Generic.LinkedListNode`1<T>,System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_InternalInsertNodeBefore_mEAD3A1C3381A09F713ACE035A0E24E3A92EECC1B_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___newNode1, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___newNode1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = ___node0; NullCheck(L_0); L_0->set_next_1(L_1); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___newNode1; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = ___node0; NullCheck(L_3); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3->get_prev_2(); NullCheck(L_2); L_2->set_prev_2(L_4); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = ___node0; NullCheck(L_5); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_5->get_prev_2(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_7 = ___newNode1; NullCheck(L_6); L_6->set_next_1(L_7); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_8 = ___node0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_9 = ___newNode1; NullCheck(L_8); L_8->set_prev_2(L_9); int32_t L_10 = (int32_t)__this->get_version_2(); __this->set_version_2(((int32_t)il2cpp_codegen_add((int32_t)L_10, (int32_t)1))); int32_t L_11 = (int32_t)__this->get_count_1(); __this->set_count_1(((int32_t)il2cpp_codegen_add((int32_t)L_11, (int32_t)1))); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::InternalInsertNodeToEmptyList(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_InternalInsertNodeToEmptyList_m947DB46B4877D7740AF7264F11FE0CF1BC7D7D5B_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___newNode0, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___newNode0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = ___newNode0; NullCheck(L_0); L_0->set_next_1(L_1); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___newNode0; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = ___newNode0; NullCheck(L_2); L_2->set_prev_2(L_3); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = ___newNode0; __this->set_head_0(L_4); int32_t L_5 = (int32_t)__this->get_version_2(); __this->set_version_2(((int32_t)il2cpp_codegen_add((int32_t)L_5, (int32_t)1))); int32_t L_6 = (int32_t)__this->get_count_1(); __this->set_count_1(((int32_t)il2cpp_codegen_add((int32_t)L_6, (int32_t)1))); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::InternalRemoveNode(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_InternalRemoveNode_m91069F18A3D8E584AB95D3492CD1743E7E1E6A13_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, const RuntimeMethod* method) { { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___node0; NullCheck(L_0); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_1 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_0->get_next_1(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___node0; if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_1) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_2)))) { goto IL_0012; } } { __this->set_head_0((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)NULL); goto IL_0049; } IL_0012: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_3 = ___node0; NullCheck(L_3); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_4 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_3->get_next_1(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_5 = ___node0; NullCheck(L_5); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_6 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_5->get_prev_2(); NullCheck(L_4); L_4->set_prev_2(L_6); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_7 = ___node0; NullCheck(L_7); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_8 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_7->get_prev_2(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_9 = ___node0; NullCheck(L_9); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_10 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_9->get_next_1(); NullCheck(L_8); L_8->set_next_1(L_10); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_11 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_12 = ___node0; if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_11) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_12)))) { goto IL_0049; } } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_13 = ___node0; NullCheck(L_13); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_14 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_13->get_next_1(); __this->set_head_0(L_14); } IL_0049: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_15 = ___node0; NullCheck((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_15); (( void (*) (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 7)->methodPointer)((LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_15, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 7)); int32_t L_16 = (int32_t)__this->get_count_1(); __this->set_count_1(((int32_t)il2cpp_codegen_subtract((int32_t)L_16, (int32_t)1))); int32_t L_17 = (int32_t)__this->get_version_2(); __this->set_version_2(((int32_t)il2cpp_codegen_add((int32_t)L_17, (int32_t)1))); return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::ValidateNewNode(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_MetadataUsageId); s_Il2CppMethodInitialized = true; } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___node0; 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*)_stringLiteralF8E966D1E207D02C44511A58DCCFF2F5429E9A3B, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_RuntimeMethod_var); } IL_000e: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___node0; NullCheck(L_2); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_3 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_2->get_list_0(); if (!L_3) { goto IL_0021; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, (String_t*)_stringLiteralB7993DF68C9568B57EECEAEA86866FDB6C9C2288, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, LinkedList_1_ValidateNewNode_m04A623FA9BF306199A37447676CE97517594D8D4_RuntimeMethod_var); } IL_0021: { return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::ValidateNode(System.Collections.Generic.LinkedListNode`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * ___node0, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_MetadataUsageId); s_Il2CppMethodInitialized = true; } { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_0 = ___node0; 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*)_stringLiteralF8E966D1E207D02C44511A58DCCFF2F5429E9A3B, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_RuntimeMethod_var); } IL_000e: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_2 = ___node0; NullCheck(L_2); LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * L_3 = (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_2->get_list_0(); if ((((RuntimeObject*)(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)L_3) == ((RuntimeObject*)(LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this))) { goto IL_0022; } } { InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 * L_4 = (InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1 *)il2cpp_codegen_object_new(InvalidOperationException_t0530E734D823F78310CAFAFA424CA5164D93A1F1_il2cpp_TypeInfo_var); InvalidOperationException__ctor_m72027D5F1D513C25C05137E203EEED8FD8297706(L_4, (String_t*)_stringLiteral8F8692BA79A3BE3D4CB1FB9A9C4B8D8C4D007A03, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, LinkedList_1_ValidateNode_m41EC2FFC0566E570DA5EA22BF4FFA3DBCF0C8D8A_RuntimeMethod_var); } IL_0022: { return; } } // System.Void System.Collections.Generic.LinkedList`1<System.Object>::System.Collections.ICollection.CopyTo(System.Array,System.Int32) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, RuntimeArray * ___array0, int32_t ___index1, const RuntimeMethod* method) { static bool s_Il2CppMethodInitialized; if (!s_Il2CppMethodInitialized) { il2cpp_codegen_initialize_method (LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_MetadataUsageId); s_Il2CppMethodInitialized = true; } ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_0 = NULL; ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* V_1 = NULL; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * V_2 = NULL; Exception_t * __last_unhandled_exception = 0; NO_UNUSED_WARNING (__last_unhandled_exception); Exception_t * __exception_local = 0; NO_UNUSED_WARNING (__exception_local); void* __leave_targets_storage = alloca(sizeof(int32_t) * 1); il2cpp::utils::LeaveTargetStack __leave_targets(__leave_targets_storage); NO_UNUSED_WARNING (__leave_targets); { RuntimeArray * L_0 = ___array0; if (L_0) { goto IL_000e; } } { ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD * L_1 = (ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD *)il2cpp_codegen_object_new(ArgumentNullException_t581DF992B1F3E0EC6EFB30CC5DC43519A79B27AD_il2cpp_TypeInfo_var); ArgumentNullException__ctor_mEE0C0D6FCB2D08CD7967DBB1329A0854BBED49ED(L_1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_1, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_000e: { RuntimeArray * L_2 = ___array0; NullCheck((RuntimeArray *)L_2); int32_t L_3 = Array_get_Rank_m38145B59D67D75F9896A3F8CDA9B966641AE99E1((RuntimeArray *)L_2, /*hidden argument*/NULL); if ((((int32_t)L_3) == ((int32_t)1))) { goto IL_0027; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_4 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_4, (String_t*)_stringLiteral2D77BE6D598A0A9376398980E66D10E319F1B52A, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_4, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_0027: { RuntimeArray * L_5 = ___array0; NullCheck((RuntimeArray *)L_5); int32_t L_6 = Array_GetLowerBound_mDCFD284D55CFFA1DD8825D7FCF86A85EFB71FD1B((RuntimeArray *)L_5, (int32_t)0, /*hidden argument*/NULL); if (!L_6) { goto IL_0040; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_7 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_7, (String_t*)_stringLiteralC363992023785AF013BBCF2E20C19D9835184F82, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_7, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_0040: { int32_t L_8 = ___index1; if ((((int32_t)L_8) >= ((int32_t)0))) { goto IL_005a; } } { int32_t L_9 = ___index1; int32_t L_10 = L_9; RuntimeObject * L_11 = Box(Int32_t585191389E07734F19F3156FF88FB3EF4800D102_il2cpp_TypeInfo_var, &L_10); ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA * L_12 = (ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA *)il2cpp_codegen_object_new(ArgumentOutOfRangeException_t94D19DF918A54511AEDF4784C9A08741BAD1DEDA_il2cpp_TypeInfo_var); ArgumentOutOfRangeException__ctor_m755B01B4B4595B447596E3281F22FD7CE6DAE378(L_12, (String_t*)_stringLiteralE540CDD1328B2B21E29A95405C301B9313B7C346, (RuntimeObject *)L_11, (String_t*)_stringLiteral314A883D61C1D386E61BE443EB9D3B50BA3FF07D, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_12, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_005a: { RuntimeArray * L_13 = ___array0; NullCheck((RuntimeArray *)L_13); int32_t L_14 = Array_get_Length_m2239B6393651C3F4631D900EFC1B05DBE8F5466D((RuntimeArray *)L_13, /*hidden argument*/NULL); int32_t L_15 = ___index1; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); int32_t L_16 = (( int32_t (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 9)); if ((((int32_t)((int32_t)il2cpp_codegen_subtract((int32_t)L_14, (int32_t)L_15))) >= ((int32_t)L_16))) { goto IL_0075; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_17 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m9A85EF7FEFEC21DDD525A67E831D77278E5165B7(L_17, (String_t*)_stringLiteralCD7D0AC2EBED64F823B1ECA559037A9CB8EDE01A, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_17, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_0075: { RuntimeArray * L_18 = ___array0; V_0 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)IsInst((RuntimeObject*)L_18, IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 22))); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_19 = V_0; if (!L_19) { goto IL_0088; } } { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_20 = V_0; int32_t L_21 = ___index1; NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); (( void (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*, int32_t, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 20)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_20, (int32_t)L_21, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 20)); return; } IL_0088: { RuntimeArray * L_22 = ___array0; V_1 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)((ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)IsInst((RuntimeObject*)L_22, ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A_il2cpp_TypeInfo_var)); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_23 = V_1; if (L_23) { goto IL_00a2; } } { ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_24 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_24, (String_t*)_stringLiteralC44D4E6C6AF3517A1CC72EDF7D1A5FFD7E3368F1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_24, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } IL_00a2: { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_25 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); V_2 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_25; } IL_00a9: try { // begin try (depth: 1) { LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_26 = V_2; if (!L_26) { goto IL_00cf; } } IL_00ac: { ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_27 = V_1; int32_t L_28 = ___index1; int32_t L_29 = (int32_t)L_28; ___index1 = (int32_t)((int32_t)il2cpp_codegen_add((int32_t)L_29, (int32_t)1)); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_30 = V_2; NullCheck(L_30); RuntimeObject * L_31 = (RuntimeObject *)L_30->get_item_3(); NullCheck(L_27); ArrayElementTypeCheck (L_27, L_31); (L_27)->SetAt(static_cast<il2cpp_array_size_t>(L_29), (RuntimeObject *)L_31); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_32 = V_2; NullCheck(L_32); LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_33 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_32->get_next_1(); V_2 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_33; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_34 = V_2; LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 * L_35 = (LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)__this->get_head_0(); if ((!(((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_34) == ((RuntimeObject*)(LinkedListNode_1_t29FE2977C490DD49F9F19A1FCBD4B2510F580683 *)L_35)))) { goto IL_00ac; } } IL_00cf: { goto IL_00e2; } } // end try (depth: 1) catch(Il2CppExceptionWrapper& e) { __exception_local = (Exception_t *)e.ex; if(il2cpp_codegen_class_is_assignable_from (ArrayTypeMismatchException_tE34C1032B089C37399200997F079C640D23D9499_il2cpp_TypeInfo_var, il2cpp_codegen_object_class(e.ex))) goto CATCH_00d1; throw e; } CATCH_00d1: { // begin catch(System.ArrayTypeMismatchException) ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 * L_36 = (ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1 *)il2cpp_codegen_object_new(ArgumentException_tEDCD16F20A09ECE461C3DA766C16EDA8864057D1_il2cpp_TypeInfo_var); ArgumentException__ctor_m26DC3463C6F3C98BF33EA39598DD2B32F0249CA8(L_36, (String_t*)_stringLiteralC44D4E6C6AF3517A1CC72EDF7D1A5FFD7E3368F1, (String_t*)_stringLiteral19EDC1210777BA4D45049C29280D9CC5E1064C25, /*hidden argument*/NULL); IL2CPP_RAISE_MANAGED_EXCEPTION(L_36, NULL, LinkedList_1_System_Collections_ICollection_CopyTo_m0F2AA196DCFDF0F850B9CB1F0F4FD51B8746FEC7_RuntimeMethod_var); } // end catch (depth: 1) IL_00e2: { return; } } // System.Collections.IEnumerator System.Collections.Generic.LinkedList`1<System.Object>::System.Collections.IEnumerable.GetEnumerator() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject* LinkedList_1_System_Collections_IEnumerable_GetEnumerator_m86830A55ABB4C91A90F50E54341472DBE47A9DDD_gshared (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 * __this, const RuntimeMethod* method) { { NullCheck((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this); Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 L_0 = (( Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 (*) (LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *, const RuntimeMethod*))IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 16)->methodPointer)((LinkedList_1_t53CE3B6C8AC75667A89B320FD72FAF18BAB09384 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(method->klass->rgctx_data, 16)); Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 L_1 = L_0; RuntimeObject * L_2 = Box(IL2CPP_RGCTX_DATA(method->klass->rgctx_data, 14), &L_1); return (RuntimeObject*)L_2; } } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Byte>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * ___list0, const RuntimeMethod* method) { { List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); uint8_t* L_3 = (uint8_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(uint8_t)); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289_AdjustorThunk (RuntimeObject * __this, List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * ___list0, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); Enumerator__ctor_m2A5BB10F6F8F58E05AF31809EA665DAA4415D289(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Byte>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); Enumerator_Dispose_mCD97A0A7B206C0FA999ADAC1F827EF1A22A32D1F(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Byte>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * V_0 = NULL; { List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_0 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)__this->get_list_0(); V_0 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_7 = V_0; NullCheck(L_7); ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821* L_8 = (ByteU5BU5D_tD06FDBE8142446525DF1C40351D523A228373821*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; uint8_t L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D((Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *)(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); return Enumerator_MoveNext_m3CAEB39B5C1B8059EDA6583E8158380D6B27EE80(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Byte>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_1 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_3 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); uint8_t* L_5 = (uint8_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(uint8_t)); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); return Enumerator_MoveNextRare_m96A6570B516A1CDA82C5458781ABD7E050D2CB4D(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Byte>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR uint8_t Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { uint8_t L_0 = (uint8_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C uint8_t Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); return Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Byte>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_2 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { uint8_t L_4 = Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_inline((Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *)(Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); uint8_t L_5 = L_4; RuntimeObject * L_6 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 2), &L_5); return L_6; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_m7F8561EE2EE44E2FF8A7476C09A399D405A278CB(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Byte>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758_gshared (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 * L_1 = (List_1_t2E429D48492C9F1ED16C7D74224A8AAB590A7B32 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); uint8_t* L_3 = (uint8_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(uint8_t)); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * _thisAdjusted = reinterpret_cast<Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_mBFEBA1BDD2A89404C8E18D6E5B5246A74A3A4758(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * ___list0, const RuntimeMethod* method) { { List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * L_3 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5_AdjustorThunk (RuntimeObject * __this, List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * ___list0, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); Enumerator__ctor_m4ECC15B64DDC7B2DED2DFF4505043FF7FB76E9D5(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); Enumerator_Dispose_m77B59D24182E4A5B466F9A556FB4C77E4C7EB2CA(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * V_0 = NULL; { List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_0 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)__this->get_list_0(); V_0 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_7 = V_0; NullCheck(L_7); KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F* L_8 = (KeyValuePair_2U5BU5D_tAC201058159F8B6B433415A0AB937BD11FC8A36F*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_11 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )(L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3((Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *)(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); return Enumerator_MoveNext_mE020E21566741C552C9C06731D55B4FF0435DB5F(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_1 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_3 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * L_5 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); return Enumerator_MoveNextRare_m27AC69D8BB9E7FBA9A18D9ECE3BEF0CA5DED74E3(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_0 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); return Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_2 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_4 = Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_inline((Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *)(Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_5 = L_4; RuntimeObject * L_6 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 2), &L_5); return L_6; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_mF9868E6FA8FD52D5F4590F1990CEDB4F16FD83BA(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.Object>>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38_gshared (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 * L_1 = (List_1_t5693FC241180E36A0BB189DFB39B0D3A43DC05B1 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * L_3 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * _thisAdjusted = reinterpret_cast<Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_mB45FC56ED32AD21D3650C4F175840485C1625A38(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * ___list0, const RuntimeMethod* method) { { List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * L_3 = (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D_AdjustorThunk (RuntimeObject * __this, List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * ___list0, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); Enumerator__ctor_m3F16559440CF945D182D52910E8DB049DB91348D(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); Enumerator_Dispose_m5BE5F05575CBC1B9063C795C81F04EC002CA358C(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * V_0 = NULL; { List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_0 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)__this->get_list_0(); V_0 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_7 = V_0; NullCheck(L_7); SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906* L_8 = (SessionInfoU5BU5D_t02CDCD5CCABB257B68199994B2C87BBD1849E906*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D((Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *)(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); return Enumerator_MoveNext_m6AAF8DE8B8F6FF147DF0303C1BF58447FCC53619(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_1 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_3 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * L_5 = (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); return Enumerator_MoveNextRare_mC46D06F22651829537C142844118236B3FBBFC9D(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_0 = (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); return Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_2 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_4 = Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_inline((Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *)(Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_5 = L_4; RuntimeObject * L_6 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 2), &L_5); return L_6; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_m46F6346DB1A76341DBB22865EB61752650B5CC13(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Diagnostics.Tracing.EventProvider_SessionInfo>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58_gshared (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 * L_1 = (List_1_t48C08E578B230ECD129D7CD72958FDC29E6D1975 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A * L_3 = (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A *)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * _thisAdjusted = reinterpret_cast<Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_m8E0BFD3E76235014A1A34F5DAAF998FF70BA5A58(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___list0, const RuntimeMethod* method) { { List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); int32_t* L_3 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(int32_t)); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8_AdjustorThunk (RuntimeObject * __this, List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * ___list0, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); Enumerator__ctor_mDB92E430A5D05B75AB5F1A399935FE31B5C9CEF8(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); Enumerator_Dispose_m902D0B2B4B4B589E6F3653D9CDB38E0AA97EBCF9(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Int32>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * V_0 = NULL; { List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_0 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)__this->get_list_0(); V_0 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_7 = V_0; NullCheck(L_7); Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* L_8 = (Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; int32_t L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37((Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *)(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); return Enumerator_MoveNext_m42C746E84C832B62E93536A47B4086F3A3AC6609(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Int32>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_1 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_3 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); int32_t* L_5 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(int32_t)); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); return Enumerator_MoveNextRare_m8B211DA76732887A5B435A6FB7C0815E7DFA2E37(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Int32>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C int32_t Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); return Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Int32>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_2 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { int32_t L_4 = Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_inline((Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *)(Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); int32_t L_5 = L_4; RuntimeObject * L_6 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 2), &L_5); return L_6; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_m736AB75E36D040EB53F96E5E42CDBA099D9A6CC5(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929_gshared (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 * L_1 = (List_1_tE1526161A558A17A39A8B69D8EEF3801393B6226 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); int32_t* L_3 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(int32_t)); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * _thisAdjusted = reinterpret_cast<Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_m4231C77F2C80AAFBA709DBC04E17ABC7FE0D4929(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * ___list0, const RuntimeMethod* method) { { List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); int32_t* L_3 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(int32_t)); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166_AdjustorThunk (RuntimeObject * __this, List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * ___list0, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); Enumerator__ctor_mAE704F6EBF7CC0DDA29CD07384D8C6D335576166(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); Enumerator_Dispose_m1C134A28870F9395521B61BB05D5916BCDFAFDF1(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * V_0 = NULL; { List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_0 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)__this->get_list_0(); V_0 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_7 = V_0; NullCheck(L_7); Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A* L_8 = (Int32EnumU5BU5D_t0A5530B4D0EA3796F661E767F9F7D7005A62CE4A*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; int32_t L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340((Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *)(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); return Enumerator_MoveNext_m23A00867F9D8B7B06103B414927ACEBF515960F2(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_1 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_3 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); int32_t* L_5 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(int32_t)); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); return Enumerator_MoveNextRare_m020639045D54D9E9EF7E7099709FE56D9692E340(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C int32_t Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); return Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_2 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { int32_t L_4 = Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_inline((Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *)(Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); int32_t L_5 = L_4; RuntimeObject * L_6 = Box(IL2CPP_RGCTX_DATA(InitializedTypeInfo(method->klass)->rgctx_data, 2), &L_5); return L_6; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_mD16696948E5B9BC762EADD0F68C391BAB3A7C3AD(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Int32Enum>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F_gshared (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 * L_1 = (List_1_t116A3B8CE581BED3D4552A7F22FE553557ADC4C5 *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); int32_t* L_3 = (int32_t*)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(int32_t)); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * _thisAdjusted = reinterpret_cast<Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_mF2AFAE763DEFED5D523CBF78A719B9ECFB87461F(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif #ifdef __clang__ #pragma clang diagnostic push #pragma clang diagnostic ignored "-Winvalid-offsetof" #pragma clang diagnostic ignored "-Wunused-variable" #endif // System.Void System.Collections.Generic.List`1_Enumerator<System.Object>::.ctor(System.Collections.Generic.List`1<T>) IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * ___list0, const RuntimeMethod* method) { { List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_0 = ___list0; __this->set_list_0(L_0); __this->set_index_1(0); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_1 = ___list0; NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); __this->set_version_2(L_2); RuntimeObject ** L_3 = (RuntimeObject **)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(RuntimeObject *)); return; } } IL2CPP_EXTERN_C void Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0_AdjustorThunk (RuntimeObject * __this, List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * ___list0, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); Enumerator__ctor_m39C8C3D04576F8D63AF941CC77EE5871393388F0(_thisAdjusted, ___list0, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Object>::Dispose() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { return; } } IL2CPP_EXTERN_C void Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); Enumerator_Dispose_m94D0DAE031619503CDA6E53C5C3CC78AF3139472(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Object>::MoveNext() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * V_0 = NULL; { List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_0 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)__this->get_list_0(); V_0 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)L_0; int32_t L_1 = (int32_t)__this->get_version_2(); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_2 = V_0; NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__version_3(); if ((!(((uint32_t)L_1) == ((uint32_t)L_3)))) { goto IL_004a; } } { int32_t L_4 = (int32_t)__this->get_index_1(); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_5 = V_0; NullCheck(L_5); int32_t L_6 = (int32_t)L_5->get__size_2(); if ((!(((uint32_t)L_4) < ((uint32_t)L_6)))) { goto IL_004a; } } { List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_7 = V_0; NullCheck(L_7); ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A* L_8 = (ObjectU5BU5D_t3C9242B5C88A48B2A5BD9FDA6CD0024E792AF08A*)L_7->get__items_1(); int32_t L_9 = (int32_t)__this->get_index_1(); NullCheck(L_8); int32_t L_10 = L_9; RuntimeObject * L_11 = (L_8)->GetAt(static_cast<il2cpp_array_size_t>(L_10)); __this->set_current_3(L_11); int32_t L_12 = (int32_t)__this->get_index_1(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_12, (int32_t)1))); return (bool)1; } IL_004a: { bool L_13 = Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2((Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *)(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 0)); return L_13; } } IL2CPP_EXTERN_C bool Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); return Enumerator_MoveNext_m38B1099DDAD7EEDE2F4CDAB11C095AC784AC2E34(_thisAdjusted, method); } // System.Boolean System.Collections.Generic.List`1_Enumerator<System.Object>::MoveNextRare() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR bool Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_1 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_3 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)__this->get_list_0(); NullCheck(L_3); int32_t L_4 = (int32_t)L_3->get__size_2(); __this->set_index_1(((int32_t)il2cpp_codegen_add((int32_t)L_4, (int32_t)1))); RuntimeObject ** L_5 = (RuntimeObject **)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_5, sizeof(RuntimeObject *)); return (bool)0; } } IL2CPP_EXTERN_C bool Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); return Enumerator_MoveNextRare_m53BD044D4EDE30423D4B37AFB3BABA5485EA38A2(_thisAdjusted, method); } // T System.Collections.Generic.List`1_Enumerator<System.Object>::get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); return Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_inline(_thisAdjusted, method); } // System.Object System.Collections.Generic.List`1_Enumerator<System.Object>::System.Collections.IEnumerator.get_Current() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_index_1(); if (!L_0) { goto IL_001d; } } { int32_t L_1 = (int32_t)__this->get_index_1(); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_2 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)__this->get_list_0(); NullCheck(L_2); int32_t L_3 = (int32_t)L_2->get__size_2(); if ((!(((uint32_t)L_1) == ((uint32_t)((int32_t)il2cpp_codegen_add((int32_t)L_3, (int32_t)1)))))) { goto IL_0024; } } IL_001d: { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)31), /*hidden argument*/NULL); } IL_0024: { RuntimeObject * L_4 = Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_inline((Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *)(Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *)__this, /*hidden argument*/IL2CPP_RGCTX_METHOD_INFO(InitializedTypeInfo(method->klass)->rgctx_data, 1)); return L_4; } } IL2CPP_EXTERN_C RuntimeObject * Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); return Enumerator_System_Collections_IEnumerator_get_Current_m5B0D1DCA28DBB1890B2FDBD59D13E1B20A804793(_thisAdjusted, method); } // System.Void System.Collections.Generic.List`1_Enumerator<System.Object>::System.Collections.IEnumerator.Reset() IL2CPP_EXTERN_C IL2CPP_METHOD_ATTR void Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797_gshared (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_version_2(); List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D * L_1 = (List_1_t05CC3C859AB5E6024394EF9A42E3E696628CA02D *)__this->get_list_0(); NullCheck(L_1); int32_t L_2 = (int32_t)L_1->get__version_3(); if ((((int32_t)L_0) == ((int32_t)L_2))) { goto IL_001a; } } { ThrowHelper_ThrowInvalidOperationException_m5FC21125115DA5A3A78175937F96B30333FF2454((int32_t)((int32_t)32), /*hidden argument*/NULL); } IL_001a: { __this->set_index_1(0); RuntimeObject ** L_3 = (RuntimeObject **)__this->get_address_of_current_3(); il2cpp_codegen_initobj(L_3, sizeof(RuntimeObject *)); return; } } IL2CPP_EXTERN_C void Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797_AdjustorThunk (RuntimeObject * __this, const RuntimeMethod* method) { Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * _thisAdjusted = reinterpret_cast<Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD *>(__this + 1); Enumerator_System_Collections_IEnumerator_Reset_m3E1A4F6166FDD8BB4ABD8AD3561063AEE5BB3797(_thisAdjusted, method); } #ifdef __clang__ #pragma clang diagnostic pop #endif IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mC3970F1E5BE45ECFACEA6AE72E1C97D4A0B090A8_gshared_inline (Enumerator_t5E6724BFDCF350CE86FC3B75B45EB08A98FA9019 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get__current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 KeyValuePair_2_get_Key_m15F31F68F9D7F399DEBCC2328913654D36E79C1E_gshared_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { { DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 L_0 = (DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m5AF581973CD6FDFDA5540F0A0AAD90D97CC45D5D_gshared_inline (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m04BF1DDB542A4C8B193F0B260F0C385BF44A12CC_gshared_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { { Guid_t L_0 = (Guid_t )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mC21621FE323ACF9646AF601FFEF6D05304DE03DE_gshared_inline (KeyValuePair_2_t12CFA7FF15603BD4A555CDBFEBC08ECD343F1937 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR Guid_t KeyValuePair_2_get_Key_m369BFEC7C9ADC58C6E6233F095F57459E3065B99_gshared_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { { Guid_t L_0 = (Guid_t )__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8FB428463974E4EBE4B4EB74E3A6B2D9D7DBBBC2_gshared_inline (KeyValuePair_2_tD85A2E33C726647EDFB2F7F8E7EDC766E3C53B78 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_mB735BC2D7232A3B45D667D28C17BA51AAAFFB4A1_gshared_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF7293AF44DA0B8EB7B455A6227F7C36EEE9CF508_gshared_inline (KeyValuePair_2_tA9AFBC865B07606ED8F020A8E3AF8E27491AF809 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Key_m3BF2B782A34C5DBE7E9F7F1D0B69F9D248B6DD94_gshared_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m6A192504C64D61B2B59FF5641E62E5094F3914C1_gshared_inline (KeyValuePair_2_tB49DA8C7F6817D87925F65955E8E1190BE76D367 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_mA8E3537C258052C112D227D263B03028DD16CC09_gshared_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_m24A5AC0D5FC0501CC02B85EB38A56A7C34E9BB9A_gshared_inline (KeyValuePair_2_t3BAB6A80A3894F871F1F6B030436D8F2FF1D398E * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m919A5B9C9E01A407D8DA9F3F08FB35620A76C296_gshared_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t KeyValuePair_2_get_Value_mF3D2172C37CF753F9BDDAE1C214BAD43E3FB620A_gshared_inline (KeyValuePair_2_tF5C55FD7AFA8164449EE2A5C295953C5B9CAE4F5 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m9D4E9BCBAB1BE560871A0889C851FC22A09975F4_gshared_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m8C7B882C4D425535288FAAD08EAF11D289A43AEC_gshared_inline (KeyValuePair_2_t23481547E419E16E3B96A303578C1EB685C99EEE * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Key_m5D7C176AE453D032C109972EBB10C20605DAE036_gshared_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C KeyValuePair_2_get_Value_m48979A8E8026569BC75639CDE453011950B84356_gshared_inline (KeyValuePair_2_t2D8427F03B42441C4598C9D3AAB86FBA90CDF7F6 * __this, const RuntimeMethod* method) { { ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C L_0 = (ResourceLocator_t1783916E271C27CB09DF57E7E5ED08ECA4B3275C )__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR uint64_t KeyValuePair_2_get_Key_mCFBEF655D47EEDCBD2F5DF078E83CBC9E9650D79_gshared_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { { uint64_t L_0 = (uint64_t)__this->get_key_0(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * KeyValuePair_2_get_Value_m959EB4BEF509E3DC620D1D2156AAB0527B292B04_gshared_inline (KeyValuePair_2_tBCE16D0D06F9AF10E3F89C064C5CCA69892173D4 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_value_1(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_m280A09BFF251F8BB2F0638334ED0F3A03EACA483_gshared_inline (Enumerator_tD2E008C377B02B56DD6AF067E72CE996FC350483 * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get__current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR uint8_t Enumerator_get_Current_mAD383B83783802633C6899ED69BC5D9B0E6647AE_gshared_inline (Enumerator_t0322424E88E1CAC38AF566D79CBC3C30BA7E4AEA * __this, const RuntimeMethod* method) { { uint8_t L_0 = (uint8_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B Enumerator_get_Current_mD007BE320154173012428D3308933428377CE131_gshared_inline (Enumerator_tC2AA66EAA1C0E0866F7FF4C03B9B46ED328C259B * __this, const RuntimeMethod* method) { { KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B L_0 = (KeyValuePair_2_t5DDBBB9A3C8CBE3A4A39721E8F0A10AEBF13737B )__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A Enumerator_get_Current_mAED28ED9DFA1487BB1B2961B20A31C9A59240A9F_gshared_inline (Enumerator_t44E6CFF6C65630E3DE408C144F0F52D4E9E3E402 * __this, const RuntimeMethod* method) { { SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A L_0 = (SessionInfo_tEAFEEFE3C65BFE4DCD6DBA6F4B1F525553E17F4A )__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m219EC3BCCD8CF3A474AD0C4DBA55EB9B74C9F89C_gshared_inline (Enumerator_t52B74DE77FB2834C7A6E4DEFC01F9E5818235AB2 * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR int32_t Enumerator_get_Current_m3A63FED6CD777A07608680024D584B67BA4ADAA8_gshared_inline (Enumerator_t466722FA3B0808834F81142CF36A155FB30BA42D * __this, const RuntimeMethod* method) { { int32_t L_0 = (int32_t)__this->get_current_3(); return L_0; } } IL2CPP_EXTERN_C inline IL2CPP_METHOD_ATTR RuntimeObject * Enumerator_get_Current_mD7829C7E8CFBEDD463B15A951CDE9B90A12CC55C_gshared_inline (Enumerator_tE0C99528D3DCE5863566CE37BD94162A4C0431CD * __this, const RuntimeMethod* method) { { RuntimeObject * L_0 = (RuntimeObject *)__this->get_current_3(); return L_0; } }
[ "danylu25@hotmail.com" ]
danylu25@hotmail.com
7603d14adcceaacf946d2b023d4fb94e5a140b94
8b4ba16563b92178d78c3135fad68b2644ee8eef
/opengl-gui/include/Input/MouseState.h
9ba7cf01fb20cc4d0b04c1814a2fd90b00e3a44e
[ "MIT" ]
permissive
BobDeng1974/opengl_gui
6550fcc4f6a71bd9cc68bbc7f9f9f9e6e7b6b213
b2bd1803f0cfb01db08c88da5091546076dfc2a3
refs/heads/master
2020-04-01T20:44:13.763555
2016-09-12T02:47:06
2016-09-12T02:47:06
null
0
0
null
null
null
null
UTF-8
C++
false
false
810
h
#pragma once #include <unordered_map> #include <glm/vec2.hpp> #include "InputState.h" namespace OpenGLGUI { class MouseState { private: glm::vec2 mousePosition; glm::vec2 mouseDeltaPosition; std::unordered_map<MouseButton, InputState> state; MouseButton mostRecentlyChangedButton; int wheelTicks; public: MouseState(); ~MouseState(); glm::vec2 position() const; glm::vec2 deltaPosition() const; int wheel() const; void setPosition(int x, int y); void setPositionDelta(int deltaX, int deltaY); void setWheelTicks(int ticks); void setWheelTicksDelta(int deltaTicks); void setButtonState(MouseButton button, InputState inputState); void clear(); const InputState& operator[](MouseButton button) const; const MouseButton& buttonWithMostRecentStateChange() const; }; }
[ "chewygumball@gmail.com" ]
chewygumball@gmail.com
1b67113a90f26485ac8f737cecda9aabcd42f90f
a719fda4ba0afaffc1babc72f56d53c10a11a3f1
/RTIMULib/RTIMUNull.h
7f8f79139a912d13aa79801b1e6be564abe50e7a
[ "MIT" ]
permissive
blauret/RTIMU
9717f5b8b72105465974a8742b0cd9d477cfbce5
ebe37bf7003f5a3909a84450b24a0560e38d5d69
refs/heads/master
2021-01-21T12:58:08.826939
2014-11-08T22:18:26
2014-11-08T22:18:26
26,908,672
4
0
null
null
null
null
UTF-8
C++
false
false
2,121
h
//////////////////////////////////////////////////////////////////////////// // // This file is part of RTIMULib // // Copyright (c) 2014, richards-tech // // Permission is hereby granted, free of charge, to any person obtaining a copy of // this software and associated documentation files (the "Software"), to deal in // the Software without restriction, including without limitation the rights to use, // copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the // Software, and to permit persons to whom the Software is furnished to do so, // subject to the following conditions: // // The above copyright notice and this permission notice shall be included in all // copies or substantial portions of the Software. // // THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, // INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A // PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT // HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION // OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE // SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. #ifndef _RTIMUNULL_H #define _RTIMUNULL_H // IMUNull is a dummy IMU that assumes sensor data is coming from elsewhere, // for example, across a network. // // Call IMUInit in the normal way. Then for every update, call setIMUData and then IMURead // to kick the kalman filter. #include "RTIMU.h" class RTIMUSettings; class RTIMUNull : public RTIMU { public: RTIMUNull(RTIMUSettings *settings); ~RTIMUNull(); // The timestamp parameter is assumed to be from RTMath::currentUSecsSinceEpoch() void setIMUData(const RTIMU_DATA& data); virtual const char *IMUName() { return "Null IMU"; } virtual int IMUType() { return RTIMU_TYPE_NULL; } virtual bool IMUInit(); virtual int IMUGetPollInterval(); virtual bool IMURead(); virtual bool IMUGyroBiasValid() { return true; } private: uint64_t m_timestamp; }; #endif // _RTIMUNULL_H
[ "info@richards-tech.com" ]
info@richards-tech.com
36ae4967e8d4f6482f750e6cc2ff031982fa8ead
3790aefc92f31c1abbe5594d4ea020e15cb12aae
/tizen-sdk/platforms/tizen2.1/rootstraps/tizen-emulator-2.1.native/usr/include/osp/FUiCtrlSectionTableView.h
0a9eab0a4c01cbcb3a6f1c87e7080333313f1b91
[]
no_license
abhijitrd/CppSharpTizen
e9871793c27acbb8ae0f599f2013ea56c7b2fca4
92e42a36cc3c5f2b1636061e82025feec4edda0d
refs/heads/master
2021-01-16T22:04:57.789905
2014-07-05T11:39:32
2014-07-05T11:39:32
null
0
0
null
null
null
null
UTF-8
C++
false
false
35,549
h
// // Open Service Platform // Copyright (c) 2012-2013 Samsung Electronics Co., Ltd. // // 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. // /** * @file FUiCtrlSectionTableView.h * @brief This is the header file for the %SectionTableView class. * * This header file contains the declarations of the %SectionTableView class and its helper classes. */ #ifndef _FUI_CTRL_SECTION_TABLE_VIEW_H_ #define _FUI_CTRL_SECTION_TABLE_VIEW_H_ #include <FGrpRectangle.h> #include <FGrpColor.h> #include <FUiContainer.h> #include <FUiCtrlControlsTypes.h> #include <FUiCtrlTableViewTypes.h> #include <FUiCtrlScrollPanelTypes.h> namespace Tizen { namespace Ui { namespace Controls { class ISectionTableViewItemProvider; class ISectionTableViewItemProviderF; class ISectionTableViewItemEventListener; class IFastScrollListener; class IScrollEventListener; class IScrollEventListenerF; /** * @class SectionTableView * @brief This class defines common behavior for a %SectionTableView control. * * @since 2.0 * * The %SectionTableView class defines common behavior for a %SectionTableView control. * * The following example demonstrates how to use the %SectionTableView class. * * @code //Sample code for SectionTableViewSample.h #include <FUi.h> class SectionTableViewSample : public Tizen::Ui::Controls::Form , public Tizen::Ui::Controls::ISectionTableViewItemProvider , public Tizen::Ui::Controls::ISectionTableViewItemEventListener { public: SectionTableViewSample(void) : __pSectionTableView(null){} bool Initialize(void); virtual result OnInitializing(void); virtual result OnTerminating(void); // ISectionTableViewItemEventListener virtual void OnSectionTableViewItemStateChanged(Tizen::Ui::Controls::SectionTableView& tableView, int sectionIndex, int itemIndex, Tizen::Ui::Controls::TableViewItem* pItem, Tizen::Ui::Controls::TableViewItemStatus status); virtual void OnSectionTableViewContextItemActivationStateChanged(Tizen::Ui::Controls::SectionTableView& tableView, int sectionIndex, int itemIndex, Tizen::Ui::Controls::TableViewContextItem* pContextItem, bool activated); // ISectionTableViewItemProvider virtual int GetSectionCount(void); virtual int GetItemCount(int sectionIndex); virtual bool HasSectionHeader(int sectionIndex); virtual bool HasSectionFooter(int sectionIndex); virtual Tizen::Base::String GetSectionHeader(int sectionIndex); virtual Tizen::Base::String GetSectionFooter(int sectionIndex); virtual int GetDefaultItemHeight(void); virtual Tizen::Ui::Controls::TableViewItem* CreateItem(int sectionIndex, int itemIndex, int itemWidth); virtual bool DeleteItem(int sectionIndex, int itemIndex, Tizen::Ui::Controls::TableViewItem* pItem); virtual void UpdateItem(int sectionIndex, int itemIndex, Tizen::Ui::Controls::TableViewItem* pItem); private: Tizen::Ui::Controls::SectionTableView* __pSectionTableView; }; * @endcode * * @code //Sample code for SectionTableViewSample.cpp #include <FApp.h> #include <FGraphics.h> #include "SectionTableViewSample.h" using namespace Tizen::App; using namespace Tizen::Base; using namespace Tizen::Graphics; using namespace Tizen::Media; using namespace Tizen::Ui::Controls; bool SectionTableViewSample::Initialize(void) { Construct(FORM_STYLE_NORMAL); return true; } result SectionTableViewSample::OnInitializing(void) { result r = E_SUCCESS; // Creates an instance of TableView __pSectionTableView = new SectionTableView(); __pSectionTableView->Construct(Rectangle(0, 0, GetClientAreaBounds().width, GetClientAreaBounds().height), true, TABLE_VIEW_SCROLL_BAR_STYLE_FADE_OUT); __pSectionTableView->SetItemProvider(this); __pSectionTableView->AddSectionTableViewItemEventListener(*this); // Adds the Section TableView to the form AddControl(__pSectionTableView); return r; } result SectionTableViewSample::OnTerminating(void) { return E_SUCCESS; } // ISectionTableViewItemEventListener implementation void SectionTableViewSample::OnSectionTableViewItemStateChanged(SectionTableView& tableView, int sectionIndex, int itemIndex, TableViewItem* pItem, TableViewItemStatus status) { // .... } void SectionTableViewSample::OnSectionTableViewContextItemActivationStateChanged(SectionTableView& tableView, int sectionIndex, int itemIndex, TableViewContextItem* pContextItem, bool activated) { // .... } // ISectionTableViewItemProvider implementation int SectionTableViewSample::GetSectionCount(void) { return 10; } int SectionTableViewSample::GetItemCount(int sectionIndex) { return 5; } bool SectionTableViewSample::HasSectionHeader(int sectionIndex) { return true; } bool SectionTableViewSample::HasSectionFooter(int sectionIndex) { return true; } String SectionTableViewSample::GetSectionHeader(int sectionIndex) { String text; text.Format(30, L"Section header %d", sectionIndex); return text; } String SectionTableViewSample::GetSectionFooter(int sectionIndex) { String text; text.Format(30, L"Section footer %d", sectionIndex); return text; } int SectionTableViewSample::GetDefaultItemHeight(void) { return 100; } TableViewItem* SectionTableViewSample::CreateItem(int sectionIndex, int itemIndex, int itemWidth) { TableViewAnnexStyle style = TABLE_VIEW_ANNEX_STYLE_NORMAL; TableViewItem* pItem = new TableViewItem(); switch (itemIndex % 6) { case 0: style = TABLE_VIEW_ANNEX_STYLE_NORMAL; break; case 1: style = TABLE_VIEW_ANNEX_STYLE_MARK; break; case 2: style = TABLE_VIEW_ANNEX_STYLE_ONOFF_SLIDING; break; case 3: style = TABLE_VIEW_ANNEX_STYLE_DETAILED; break; case 4: style = TABLE_VIEW_ANNEX_STYLE_RADIO; break; case 5: style = TABLE_VIEW_ANNEX_STYLE_ONOFF_SLIDING_WITH_DIVIDER; break; default: break; } pItem->Construct(Dimension(itemWidth, GetDefaultItemHeight()), style); String text; text.Format(30, L"TableViewItem %d", itemIndex); Label* pLabel = new Label(); pLabel->Construct(Rectangle(0, 0, itemWidth, GetDefaultItemHeight()), text); pItem->AddControl(pLabel); return pItem; } bool SectionTableViewSample::DeleteItem(int sectionIndex, int itemIndex, TableViewItem* pItem) { pItem->Destroy(); return true; } void SectionTableViewSample::UpdateItem(int sectionIndex, int itemIndex, TableViewItem* pItem) { // .... } * @endcode * */ class _OSP_EXPORT_ SectionTableView : public Tizen::Ui::Container { public: /** * The object is not fully constructed after this constructor is called. @n * For full construction, the %Construct() method must be called right after calling this constructor. * * @since 2.0 */ SectionTableView(void); /** * This destructor overrides Tizen::Base::Object::~Object(). * * @since 2.0 */ virtual ~SectionTableView(void); /** * Initializes this instance of %SectionTableView with the specified parameters. * * @since 2.0 * * @return An error code * @param[in] rect An instance of the Graphics::Rectangle class * This instance represents the x and y coordinates of the left top corner of the created %SectionTableView along with the width and height. * @param[in] itemDivider Set to @c true to display an item divider, @n * else @c false * @param[in] scrollStyle The style of %SectionTableView scroll bar style * @exception E_SUCCESS The method is successful. * @exception E_INVALID_ARG A specified input parameter is invalid, or either the rect.width or rect.height parameter has a negative value. * */ result Construct(const Tizen::Graphics::Rectangle& rect, bool itemDivider, TableViewScrollBarStyle scrollStyle); /** * Initializes this instance of %SectionTableView with the specified parameters. * * @since 2.1 * * @return An error code * @param[in] rect An instance of the Tizen::Graphics::FloatRectangle class @n * This instance represents the x and y coordinates of the left top corner of the created %SectionTableView along with the width and height. * @param[in] itemDivider Set to @c true to display an item divider, @n * else @c false * @param[in] scrollStyle The style of %SectionTableView scroll bar style * @exception E_SUCCESS The method is successful. * @exception E_INVALID_ARG A specified input parameter is invalid, or either the @c rect.width or @c rect.height parameter has a negative value. * */ result Construct(const Tizen::Graphics::FloatRectangle& rect, bool itemDivider, TableViewScrollBarStyle scrollStyle); /** * Sets the item provider that creates and deletes items for the section style table view. * * @since 2.0 * * @param[in] pProvider The item provider to create and delete items * @remarks If an item provider is not set for the table view, the table view does not work. * The specified provider should be allocated in heap memory. */ void SetItemProvider(ISectionTableViewItemProvider* pProvider); /** * Sets the item provider that creates and deletes items for the section style table view. * * @since 2.1 * * @param[in] pProvider The item provider to create and delete items * @remarks If an item provider is not set for the table view, the table view does not work. * The specified provider should be allocated in heap memory. */ void SetItemProviderF(ISectionTableViewItemProviderF* pProvider); /** * Sets the color of a section. * * @since 2.0 * * @param[in] color The section color * @remarks This method works only when the style of the %SectionTableView control is ::TABLE_VIEW_STYLE_SECTION. */ void SetSectionColor(const Tizen::Graphics::Color& color); /** * Gets the color of a section. * * @since 2.0 * * @return The section color */ Tizen::Graphics::Color GetSectionColor(void) const; /** * Sets the grouped look is enabled. * * @since 2.0 * * @param[in] enable The enabled/disabled status */ void SetGroupedLookEnabled(bool enable); /** * Returns whether the grouped look is enabled or not. * * @since 2.0 * * @return @c true if the grouped look is enabled, else @c false */ bool IsGroupedLookEnabled(void) const; /** * Adds a listener instance that listens to state changes of table view items. @n * The added listener can listen to events on the specified event dispatcher's context when they are fired. * * @since 2.0 * * @return An error code * @param[in] listener The event listener to add * @exception E_SUCCESS The method is successful. * @exception E_OBJ_ALREADY_EXIST The listener is already added. * @remarks The specified listener should be allocated in heap memory. */ result AddSectionTableViewItemEventListener(ISectionTableViewItemEventListener& listener); /** * Removes a listener instance that listens to state changes of table view items. @n * The removed listener cannot listen to events when they are fired. * * @since 2.0 * * @return An error code * @param[in] listener The event listener to remove * @exception E_SUCCESS The method is successful. * @exception E_OBJ_NOT_FOUND The listener is not found. */ result RemoveSectionTableViewItemEventListener(ISectionTableViewItemEventListener& listener); /** * Adds a listener instance that listens to state changes of a fast scroll. @n * The added listener can listen to events on the specified event dispatcher's context when they are fired. * * @since 2.0 * * @return An error code * @param[in] listener The event listener to add * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_ALREADY_EXIST The listener is already added. * @remarks The specified listener should be allocated in heap memory. */ result AddFastScrollListener(IFastScrollListener& listener); /** * Removes a listener instance that listens to state changes of a fast scroll. @n * The removed listener cannot listen to events when they are fired. * * @since 2.0 * * @return An error code * @param[in] listener The event listener to remove * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_NOT_FOUND The listener is not found. */ result RemoveFastScrollListener(IFastScrollListener& listener); /** * Adds a listener instance that listens to state changes of a scroll event. @n * The added listener can listen to events on the specified event dispatcher's context when they are fired. * * @since 2.0 * * @return An error code * @param[in] listener The event listener to add * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_ALREADY_EXIST The listener is already added. * @remarks The specified listener should be allocated in heap memory. * @see IScrollEventListener::OnScrollEndReached() * @see RemoveScrollEventListener() */ result AddScrollEventListener(IScrollEventListener& listener); /** * Removes a listener instance that listens to state changes of a scroll event. @n * The removed listener cannot listen to events when they are fired. * * @since 2.1 * * @return An error code * @param[in] listener The event listener to remove * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_NOT_FOUND The listener is not found. * @see IScrollEventListener::OnScrollEndReached() * @see AddScrollEventListener() */ result RemoveScrollEventListener(IScrollEventListener& listener); /** * Adds a listener instance that listens to state changes of a scroll event. @n * The added listener can listen to events on the specified event dispatcher's context when they are fired. * * @since 2.1 * * @return An error code * @param[in] listener The event listener to add * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_ALREADY_EXIST The listener is already added. * @remarks The specified listener should be allocated in heap memory. * @see IScrollEventListenerF::OnScrollEndReached() * @see RemoveScrollEventListener() */ result AddScrollEventListener(IScrollEventListenerF& listener); /** * Removes a listener instance that listens to state changes of a scroll event. @n * The removed listener cannot listen to events when they are fired. * * @since 2.1 * * @return An error code * @param[in] listener The event listener to remove * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @exception E_OBJ_NOT_FOUND The listener is not found. * @see IScrollEventListenerF::OnScrollEndReached() * @see AddScrollEventListener() */ result RemoveScrollEventListener(IScrollEventListenerF& listener); /** * Sets the text index of the fast scroll. * * @since 2.0 * * @return An error code * @param[in] text The text of the index * @param[in] useSearchIcon Set to @c true to show the magnifying icon, @n * else @c false * @exception E_SUCCESS The method is successful. * @exception E_INVALID_ARG A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. */ result SetFastScrollIndex(const Tizen::Base::String& text, bool useSearchIcon); /** * Gets the section and item indexes of the top item. * * @since 2.0 * * @return An error code * @param[out] sectionIndex The section index * @param[out] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OBJ_NOT_FOUND Top drawn item is not found. */ result GetTopDrawnItemIndex(int& sectionIndex, int& itemIndex) const; /** * Gets the section and item indexes of the bottom item. * * @since 2.0 * * @return An error code * @param[out] sectionIndex The section index * @param[out] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OBJ_NOT_FOUND Bottom drawn item is not found. */ result GetBottomDrawnItemIndex(int& sectionIndex, int& itemIndex) const; /** * Scrolls to the item at the specified index. * The specified item is drawn at the position specified by the item alignment. * * @since 2.0 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @param[in] itemAlignment The item alignment * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. @b Since: @b 2.1 * @remarks * - This method does not work during the ITableViewItemProvider call-back procedure. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle * of the TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ result ScrollToItem(int sectionIndex, int itemIndex, TableViewScrollItemAlignment itemAlignment = TABLE_VIEW_SCROLL_ITEM_ALIGNMENT_TOP); /** * Checks or unchecks the item at the specified index. * * @since 2.0 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @param[in] check Set to @c true to select the item, @n * else @c false * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The item is disabled or the current state of the instance prohibits the execution of the specified operation. * @remarks * - This method works only when the annex style of the item allows selection. * This method does not work during the ITableViewItemProvider call-back procedure. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle * of the TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ result SetItemChecked(int sectionIndex, int itemIndex, bool check); /** * Returns whether the item at the specified index is selected or not. * * @since 2.0 * * @return @c true if the item is selected, @n * else @c false * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @remarks * - This method returns @c false, if the annex style of the item does not allow selection. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle of the * TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ bool IsItemChecked(int sectionIndex, int itemIndex) const; /** * Enables or disables the item at the specified index. * * @since 2.0 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @param[in] enable Set to @c true to enable the specified item, @n * else @c false * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. @b Since: @b 2.1 * @remarks * - This method does not work during the ITableViewItemProvider call-back procedure. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle of the * TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ result SetItemEnabled(int sectionIndex, int itemIndex, bool enable); /** * Checks whether the item at the specified index is enabled or disabled. * * @since 2.0 * * @return @c true if the item is enabled, @n * else @c false * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @remarks This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle of the * TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ bool IsItemEnabled(int sectionIndex, int itemIndex) const; /** * Counts the total number of sections. * * @since 2.0 * * @return The total number of sections */ int GetSectionCount(void) const; /** * Counts all the items of the specified section. * * @since 2.0 * * @return The total number of items in the specified section * @param[in] sectionIndex The section index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. */ int GetItemCountAt(int sectionIndex) const; /** * Updates the specified item. @n * For instance, @c TABLE_VIEW_REFRESH_TYPE_ITEM_ADD is used when a new item needs to be added and @c TABLE_VIEW_REFRESH_TYPE_ITEM_REMOVE is * used when an item is deleted from the table view. Moreover, @c TABLE_VIEW_REFRESH_TYPE_ITEM_MODIFY is used when the content of an existing item has * changed and it needs to be updated. @n Note that calling the %RefreshAllItems() method with @c TABLE_VIEW_REFRESH_TYPE_ITEM_MODIFY * invokes ISectionTableViewItemProvider::UpdateItem() or ISectionTableViewItemProviderF::UpdateItem() for the given index in sequence. * * @since 2.0 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @param[in] type The item to add, remove, or modify * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. @b Since: @b 2.1 * @remarks * - If the specified item.itemIndex is @c -1, then the method is applied to the section item with the given index. * - Note that if @c TABLE_VIEW_REFRESH_TYPE_ITEM_REMOVE option is used to a section item, all the items in the section * (including the section item itself) are removed from the table view. * - This method does not work during the ITableViewItemProvider call-back procedure. */ result RefreshItem(int sectionIndex, int itemIndex, TableViewRefreshType type); /** * Updates all items of the table view. @n * Note that calling the %RefreshAllItems() method invokes ISectionTableViewItemProvider::UpdateItem() or ISectionTableViewItemProviderF::UpdateItem() for * all loaded items. * * @since 2.1 * * @return An error code * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The %SectionTableView item provider is processing the other request. */ result RefreshAllItems(void); /** * Updates all the items of a table view. @n * This method deletes all the items in the table view and invokes the methods of the item provider again to update the table view. * * @since 2.0 * * @exception E_SUCCESS The method is successful. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation @b Since: @b 2.1. * @remarks * - This method will delete all the items and recreate them, so it should not be called from the inside of * OnSectionTableViewItemStateChanged() call-back as this leads to self deletion. If you need to update an Item, you should use RefreshItem() method. * - This method should not be called from ISectionTableViewItemProvider implementation because of recursion. * - The specific error code can be accessed using the GetLastResult() method. */ void UpdateTableView(void); /** * Gets the index of the item at the specified position. * * @since 2.0 * * @param[in] position The position of the item * @param[out] sectionIndex The section index of the item on specified position * @param[out] itemIndex The item index of the item on specified position * @remarks * - This method sets both of sectionIndex and itemIndex to @c -1 if no item is found at the given position. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle * of the TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ result GetItemIndexFromPosition(const Tizen::Graphics::Point& position, int& sectionIndex, int& itemIndex) const; /** * Gets the index of the item at the specified position. * * @since 2.1 * * @param[in] position The position of the item * @param[out] sectionIndex The section index of the item on specified position * @param[out] itemIndex The item index of the item on specified position * @remarks * - This method sets both of sectionIndex and itemIndex to -1 if no item is found at the given position. * - This method should be called only after TableView items are created. If this method needs to be called early in the lifecycle of * the TableView, then UpdateTableView() method should be called explicitly (for example, during Tizen::Ui::Control::OnInitializing()). */ result GetItemIndexFromPosition(const Tizen::Graphics::FloatPoint& position, int& sectionIndex, int& itemIndex) const; /** * Sets the color of a division line between items. * * @since 2.0 * * @return An error code * @param[in] color The division line color */ void SetItemDividerColor(const Tizen::Graphics::Color& color); /** * Gets the color of a division line between items. * * @since 2.0 * * @return The color of a division line */ Tizen::Graphics::Color GetItemDividerColor(void) const; /** * Sets the background color of this control. * * @since 2.0 * * @param[in] color The background color * @remarks The background bitmap has priority over the background color. When both the background bitmap and the background color are specified, * only the bitmap image is displayed. */ void SetBackgroundColor(const Tizen::Graphics::Color& color); /** * Gets the background color of this control. * * @since 2.0 * * @return The background color */ Tizen::Graphics::Color GetBackgroundColor(void) const; /** * Sets the scroll input handling mode. * * @since 2.0 * * @param[in] mode The scroll input handling mode * @see GetScrollInputMode() */ void SetScrollInputMode(ScrollInputMode mode); /** * Gets the scroll input handling mode. * * @since 2.0 * * @return The scroll input handling mode * @see SetScrollInputMode() */ ScrollInputMode GetScrollInputMode(void) const; /** * Scrolls the list contents by a specified number of pixels. @n When it is negative, it scrolls to opposite direction in current scroll style. * * @since 2.1 * * @return An error code * @param[in] pixel The amount of pixels to scroll * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE The specified @c pixel is out of range. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. * @remarks * - If you call this method with negative @c pixel when position of scroll is already top of contents then it will return * @c E_OUT_OF_RANGE. @n * Likewise, in case of positive @c pixel on the bottom position of scroll it will also return @c E_OUT_OF_RANGE. * - This method does not work during the ITableViewItemProvider call-back procedure. */ result ScrollByPixel(int pixel); /** * Scrolls the list contents by a specified number of pixels. @n When it is negative, it scrolls to opposite direction in current scroll style. * * @since 2.1 * * @return An error code * @param[in] pixel The amount of pixels to scroll * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE The specified @c pixel is out of range. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation * @remarks * - If you call this method with negative @c pixel when position of scroll is already top of contents then it will @c * return E_OUT_OF_RANGE. @n * Likewise, in case of positive @c pixel on the bottom position of scroll it will also return @c E_OUT_OF_RANGE. * - This method does not work during the ITableViewItemProvider call-back procedure. */ result ScrollByPixel(float pixel); /** * Gets the current scroll position * * @since 2.1 */ int GetCurrentScrollPosition(void) const; /** * Gets the current scroll position * * @since 2.1 */ float GetCurrentScrollPositionF(void) const; /* * Enables or disables the scroll of %SectionTableView items. * * @since 2.0 */ void SetScrollEnabled(bool enable); /* * Checks whether the scroll is enabled or disabled. * * @since 2.0 */ bool IsScrollEnabled(void) const; /** * Opens the context item at a specified index. * * @since 2.1 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. */ result OpenContextItem(int sectionIndex, int itemIndex); /** * Closes the context item at a specified index. * * @since 2.1 * * @return An error code * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION The current state of the instance prohibits the execution of the specified operation. */ result CloseContextItem(int sectionIndex, int itemIndex); /** * Checks whether the context item at a specified index is opened. * * @since 2.1 * * @return @c true if the context item is opened, @n * else @c false * @param[in] sectionIndex The section index * @param[in] itemIndex The item index * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. */ bool IsContextItemOpened(int sectionIndex, int itemIndex) const; /** * Sets the horizontal alignment of the text of the %SectionTableView header. * * @since 2.1 * * @return An error code * @param[in] sectionIndex The index of the section * @param[in] alignment The horizontal alignment of the section header text * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION There is no header in the section. * @remarks By default, the text of the section header is left aligned. * @see GetSectionHeaderTextHorizontalAlignment() */ result SetSectionHeaderTextHorizontalAlignment(int sectionIndex, HorizontalAlignment alignment); /** * Gets the horizontal alignment of the text of the %SectionTableView header. * * @since 2.1 * * @return The horizontal alignment of the text * @param[in] sectionIndex The index of the section * @exception E_SUCCESS The method is successful * @exception E_OUT_OF_RANGE The specified input parameter is invalid. * @exception E_INVALID_OPERATION There is no header in the section. * @remarks The specific error code can be accessed using the GetLastResult() method. * @see SetSectionHeaderTextHorizontalAlignment() */ HorizontalAlignment GetSectionHeaderTextHorizontalAlignment(int sectionIndex) const; /** * Sets the horizontal alignment of the text of the %SectionTableView footer. * * @since 2.1 * * @return An error code * @param[in] sectionIndex The index of the section * @param[in] alignment The horizontal alignment of the section footer text * @exception E_SUCCESS The method is successful. * @exception E_OUT_OF_RANGE A specified input parameter is invalid. * @exception E_INVALID_OPERATION There is no footer in the section. * @remarks By default, the text of the section footer is right aligned. * @see GetSectionFooterTextHorizontalAlignment() */ result SetSectionFooterTextHorizontalAlignment(int sectionIndex, HorizontalAlignment alignment); /** * Gets the horizontal alignment of the text of the %SectionTableView footer. * * @since 2.1 * * @return The horizontal alignment of the text * @param[in] sectionIndex The index of the section * @exception E_SUCCESS The method is successful * @exception E_OUT_OF_RANGE The specified input parameter is invalid. * @exception E_INVALID_OPERATION There is no footer in the section. * @remarks The specific error code can be accessed using the GetLastResult() method. * @see SetSectionFooterTextHorizontalAlignment() */ HorizontalAlignment GetSectionFooterTextHorizontalAlignment(int sectionIndex) const; private: friend class _TableViewImpl; // The implementation of this copy constructor is intentionally blank and declared as private to prohibit copying of objects. SectionTableView(const SectionTableView& rhs); // The implementation of this copy assignment operator is intentionally blank and declared as private to prohibit copying of objects. SectionTableView& operator =(const SectionTableView& rhs); }; // SectionTableView }}} // Tizen::Ui::Controls #endif // _FUI_CTRL_SECTION_TABLE_VIEW_H_
[ "brighttwinsoftware@gmail.com" ]
brighttwinsoftware@gmail.com
e8142a4347c3781d234e5d3349134391bcf97a6a
581d7cb1f5a1cf67eb86199c56b3954dce58cde2
/gui_client/questioncontrol.cpp
8df2eff62ea0bda12e4cb2c48de0a36705b361d4
[]
no_license
turok-m-a/tester-server
13201664d1528c904c6b710c239d0cfcb99b9228
2b5268f5cbaedfc0cadec28d8b4d2e4653c70266
refs/heads/master
2021-05-11T13:00:22.636798
2018-05-21T20:20:37
2018-05-21T20:20:37
117,670,641
0
0
null
null
null
null
UTF-8
C++
false
false
20,380
cpp
#include "questioncontrol.h" #include "ui_questioncontrol.h" QuestionControl::QuestionControl(QWidget *parent) : QDialog(parent), ui(new Ui::QuestionControl) { signalMapper = new QSignalMapper(this); connect(signalMapper,SIGNAL(mapped(QString)),this,SLOT(questionCheckStateChanged(QString))); subjListIsEmpty = true; ui->setupUi(this); ui->groupBox->hide(); QByteArray byteArray; QDataStream stream(&byteArray, QIODevice::WriteOnly); stream << QString(""); Network & network = Network::getInstance(); QByteArray reply; QDataStream stream2(&reply, QIODevice::ReadOnly); reply = network.sendQuery(GET_SUBJECT_LIST,byteArray); int subjNumber; stream2 >> subjNumber; for (int i=0;i<subjNumber;i++){ QString subjName,subjId; stream2 >> subjName; ui->subjectList->addItem(subjName); ui->subjectList2->addItem(subjName); stream2 >> subjId; subjectId.push_back(subjId.toInt()); } ui->tableWidget->setColumnWidth(0,40); ui->tableWidget->setColumnWidth(1,500); ui->tableWidget->setColumnWidth(2,100); ui->tableWidget->setColumnWidth(3,0); ui->tableWidget->setColumnWidth(4,40); ui->tableWidget->setColumnWidth(5,15); subjListIsEmpty = false; ui->subjectList->currentIndexChanged(ui->subjectList->currentIndex()); ui->answersNumber->setValidator(new QIntValidator(2,10,this)); ui->answersNumber2->setValidator(new QIntValidator(2,6,this)); ui->difficulty->setValidator(new QIntValidator(1,9,this)); ui->above->setValidator(new QIntValidator(1,9,this)); ui->below->setValidator(new QIntValidator(1,9,this)); ui->questionEdit->setColumnCount(1); ui->questionEdit->setColumnWidth(0,360); ui->chooseExamDate->hide(); ui->addExam->hide(); ui->calendarWidget->hide(); } QuestionControl::~QuestionControl() { delete ui; } void QuestionControl::on_subjectList_currentIndexChanged(int index) { if (subjListIsEmpty) return; ui->tableWidget->setRowCount(0); QByteArray byteArray; QDataStream stream(&byteArray, QIODevice::WriteOnly); stream << subjectId[index]; Network & network = Network::getInstance(); QByteArray reply; QDataStream stream2(&reply, QIODevice::ReadOnly); // loadTest a[100]; // int pause = 1; // for (int i=0;i<100;i++){ // a[i].pause = &pause; // a[i].opCode = GET_QUESTION_LIST; // a[i].r = byteArray; // a[i].start(); // } // qDebug() << "!"; // pause = 0; reply = network.sendQuery(GET_QUESTION_LIST,byteArray); int qNumber; stream2 >> qNumber; stream2 >> questions; QString columnText; for (int i=0;i<qNumber;i++){ ui->tableWidget->insertRow(0); for (int j=0;j<5;j++){//тип,вопрос-ответ,предмет,ID(скрыт),сложность columnText = questions[i][j]; if(j==0){ if (columnText.toInt() == 1){ ui->tableWidget->setItem(0,j,new QTableWidgetItem("Выб.\nвар.")); } if (columnText.toInt() == 2){ ui->tableWidget->setItem(0,j,new QTableWidgetItem("Ввод")); } if (columnText.toInt() == 3){ ui->tableWidget->setItem(0,j,new QTableWidgetItem("Посл.")); } if (columnText.toInt() == 4){ ui->tableWidget->setItem(0,j,new QTableWidgetItem("Груп.")); } } else { ui->tableWidget->setItem(0,j,new QTableWidgetItem(columnText)); } } QCheckBox * chkBox = new QCheckBox(); connect(chkBox,SIGNAL(toggled(bool)),signalMapper,SLOT(map())); signalMapper->setMapping(chkBox,questions[i][3]); ui->tableWidget->setCellWidget(0,5,chkBox); } ui->tableWidget->resizeRowsToContents(); // Sleep(1000); } void QuestionControl::on_delQuestion_clicked() { if (ui->tableWidget->selectedItems().isEmpty()) return; const int selectedRow = ui->tableWidget->selectedItems().first()->row(); QString questionId = ui->tableWidget->item(selectedRow,3)->text(); Network & network = Network::getInstance(); QByteArray request,reply; QDataStream stream(&request, QIODevice::WriteOnly); stream << questionId.toInt(); reply = network.sendQuery(REMOVE_QUESTION,request); ui->subjectList->currentIndexChanged(ui->subjectList->currentIndex()); } void QuestionControl::on_pushButton_2_clicked() { if (ui->tableWidget->selectedItems().isEmpty()) return; const int selectedRow = ui->tableWidget->selectedItems().first()->row(); QString questionId = ui->tableWidget->item(selectedRow,3)->text(); const int selectedSubjId = subjectId[ui->subjectList->currentIndex()]; Network & network = Network::getInstance(); QByteArray request,reply; QDataStream stream(&request, QIODevice::WriteOnly); stream << questionId.toInt(); const int editOperationType = SUBJECT_LIST_FOR_QUESTION_REMOVE; stream << editOperationType; stream << selectedSubjId; reply = network.sendQuery(EDIT_SUBJECT_LIST_FOR_QUESTION,request); ui->subjectList->currentIndexChanged(ui->subjectList->currentIndex()); } void QuestionControl::on_addToSubject_clicked() { if (ui->tableWidget->selectedItems().isEmpty()) return; const int selectedRow = ui->tableWidget->selectedItems().first()->row(); QString questionId = ui->tableWidget->item(selectedRow,3)->text(); const int selectedSubjId = subjectId[ui->subjectList2->currentIndex()]; Network & network = Network::getInstance(); QByteArray request,reply; QDataStream stream(&request, QIODevice::WriteOnly); stream << questionId.toInt(); const int editOperationType = SUBJECT_LIST_FOR_QUESTION_ADD; stream << editOperationType; stream << selectedSubjId; reply = network.sendQuery(EDIT_SUBJECT_LIST_FOR_QUESTION,request); ui->subjectList->currentIndexChanged(ui->subjectList->currentIndex()); } void QuestionControl::on_addQuestion_clicked() { ui->nRandButton->hide(); ui->nRandNum->hide(); ui->pushButton_3->hide(); ui->tableWidget->hide(); ui->groupBox->show(); ui->questionType->currentIndexChanged(0); } void QuestionControl::on_finishQustionAdd_clicked() { ui->nRandButton->show(); ui->nRandNum->show(); ui->pushButton_3->show(); const int index = ui->questionType->currentIndex(); QString answer; QString questionText; QByteArray request,advData; if (index+1 == SELECT_QUESTION_TYPE){ questionText = ui->questionEdit->item(0,0)->text(); formatQuestionText(questionText); for (int i=1;i<ui->questionEdit->rowCount();i++){ questionText.append(" $"+QString::number(i)+" "); QString currentAnswer = ui->questionEdit->item(i,0)->text(); formatQuestionText(currentAnswer); questionText.append(currentAnswer); if(qobject_cast<QCheckBox*>(ui->questionEdit->cellWidget(i,1))->isChecked()){ answer.append(QString::number(i-1)+";"); } } answer.chop(1); } if (index+1 == INPUT_QUESTION_TYPE){ questionText = ui->questionEdit->item(0,0)->text(); answer = ui->questionEdit->item(1,0)->text(); } if (index+1 == SEQUENCE_QUESTION_TYPE){ questionText = ui->questionEdit->item(0,0)->text(); for (int i=1;i<ui->questionEdit->rowCount();i++){ QString stepNumber = QString::number(ui->questionEdit->item(i,1)->text().toInt() - 1); answer.append(stepNumber+";"); advData.append(" "+QString(ui->questionEdit->item(i,0)->text()+" ")); advData.append('\0'); } answer.chop(1); } if (index+1 == MATCH_QUESTION_TYPE){ advData.append((byte)(ui->groups->rowCount())); for (int i=1;i<ui->questionEdit->rowCount();i++){ advData.append(" "+ui->questionEdit->item(i,0)->text()); advData.append('\0'); QString answerNum = QString::number(ui->questionEdit->item(i,1)->text().toInt() - 1); answer.append(answerNum+";"); } for (int i=0;i<ui->groups->rowCount();i++){ questionText.append(" $"+QString::number(i+1) +ui->groups->item(i,0)->text());; } answer.chop(1); } QDataStream stream(&request, QIODevice::WriteOnly); stream << index+1 << subjectId[ui->subjectList->currentIndex()] << questionText << answer; stream << ui->difficulty->text().toInt(); if (!advData.isEmpty()){ stream << advData; } Network & network = Network::getInstance(); network.sendQuery(ADD_QUESTION,request); ui->subjectList->currentIndexChanged(ui->subjectList->currentIndex()); ui->groupBox->hide(); ui->tableWidget->show(); } void QuestionControl::on_questionType_currentIndexChanged(int index) { ui->answersNumber->show(); ui->label_2->show(); ui->label_3->hide(); ui->answersNumber2->hide(); ui->groups->hide(); if (index+1 == SELECT_QUESTION_TYPE){ ui->label_2->setText("Вариантов ответа:"); ui->questionEdit->setRowCount(0); ui->questionEdit->setRowCount(3); ui->questionEdit->setColumnCount(0);//очистить содержимое ui->questionEdit->setColumnCount(2); ui->questionEdit->setItem(0,0,new QTableWidgetItem("Вводите текст вопроса здесь")); ui->questionEdit->setItem(1,0,new QTableWidgetItem("Вариант ответа 1")); ui->questionEdit->setItem(2,0,new QTableWidgetItem("Вариант ответа 2")); ui->questionEdit->setCellWidget(1,1,new QCheckBox()); ui->questionEdit->setCellWidget(2,1,new QCheckBox()); ui->questionEdit->setColumnWidth(1,15); ui->questionEdit->setRowHeight(0,100); ui->answersNumber->setText("2"); } if (index+1 == INPUT_QUESTION_TYPE){ ui->answersNumber->hide(); ui->label_2->hide(); ui->questionEdit->setRowCount(0); ui->questionEdit->setRowCount(2); ui->questionEdit->setColumnCount(0);//очистить содержимое ui->questionEdit->setColumnCount(1); ui->questionEdit->setItem(0,0,new QTableWidgetItem("Вводите текст вопроса здесь")); ui->questionEdit->setItem(1,0,new QTableWidgetItem("текст ответа")); ui->questionEdit->setRowHeight(0,100); ui->answersNumber->setText("2"); } if (index+1 == SEQUENCE_QUESTION_TYPE){ ui->label_2->setText("Этапов:"); ui->questionEdit->setRowCount(0); ui->questionEdit->setRowCount(2); ui->questionEdit->setColumnCount(0);//очистить содержимое ui->questionEdit->setColumnCount(2); ui->questionEdit->setItem(0,0,new QTableWidgetItem("Вводите текст вопроса здесь")); ui->questionEdit->setItem(0,1,new QTableWidgetItem("правильный\nпорядок\nответов")); ui->questionEdit->setItem(1,0,new QTableWidgetItem("шаг 6")); ui->questionEdit->setItem(1,1,new QTableWidgetItem("6")); ui->questionEdit->setRowHeight(0,100); ui->questionEdit->setColumnWidth(1,60); ui->questionEdit->resizeColumnsToContents(); ui->answersNumber->setText("1"); } if (index+1 == MATCH_QUESTION_TYPE){ ui->questionEdit->clearContents(); ui->label_2->setText("Кол-во ответов:"); ui->label_3->setText("Групп:"); ui->label_3->show(); ui->groups->show(); ui->answersNumber2->show(); ui->questionEdit->setColumnCount(0);//очистить содержимое ui->questionEdit->setColumnCount(2); ui->questionEdit->setRowCount(0); ui->questionEdit->setRowCount(2); ui->questionEdit->setItem(0,0,new QTableWidgetItem("Ответы для группировки:")); ui->questionEdit->setItem(0,1,new QTableWidgetItem("Номера групп:")); ui->questionEdit->setItem(1,0,new QTableWidgetItem("элемент первой группы")); ui->questionEdit->setItem(1,1,new QTableWidgetItem("1")); ui->groups->setItem(0,0,new QTableWidgetItem("Группа 1")); ui->answersNumber->setText("1"); } ui->questionEdit->setColumnWidth(0,360); } void QuestionControl::on_answersNumber_editingFinished() { int newRowCount = ui->answersNumber->text().toInt() + 1; int oldRowCount = ui->questionEdit->rowCount(); ui->questionEdit->setRowCount(newRowCount); for (int i=oldRowCount;i<newRowCount;i++){ if (ui->questionType->currentIndex() +1 == SELECT_QUESTION_TYPE){ ui->questionEdit->setCellWidget(i,1,new QCheckBox()); } ui->questionEdit->setItem(i,0,new QTableWidgetItem()); } } void QuestionControl::formatQuestionText(QString &text) { for (int i=1;i<text.size();i++){ if(text[i] == '$' || text[i] == '#'){ text.insert(i,'#'); i++; } } } void QuestionControl::on_answersNumber2_editingFinished() { int newRowCount = ui->answersNumber2->text().toInt(); int oldRowCount = ui->groups->rowCount(); ui->groups->setRowCount(newRowCount); for (int i=oldRowCount;i<newRowCount;i++){ ui->groups->setItem(i,0,new QTableWidgetItem()); } } void QuestionControl::on_groups_itemChanged(QTableWidgetItem *item) { ui->groups->resizeRowsToContents(); } void QuestionControl::on_questionEdit_itemChanged(QTableWidgetItem *item) { ui->questionEdit->resizeRowsToContents(); } void QuestionControl::on_pushButton_3_clicked() { ui->calendarWidget->show(); ui->chooseExamDate->show(); ui->addExam->show(); ui->groupBox->hide(); ui->tableWidget->hide(); } void QuestionControl::on_addExam_clicked() { const int currentSubjId = subjectId[ui->subjectList->currentIndex()]; QByteArray request,questionList; QDataStream stream(&request, QIODevice::WriteOnly); stream << currentSubjId; QDataStream qStream(&questionList, QIODevice::WriteOnly); qStream.setByteOrder(QDataStream::LittleEndian); // for (int i=0;i<ui->tableWidget->rowCount();i++){ // if(qobject_cast<QCheckBox*>(ui->tableWidget->cellWidget(i,5))->isChecked()){ // int qId = ui->tableWidget->item(i,3)->text().toInt(); // qStream << qId; // } // } //не то foreach (int qId, selectedQuestionIds) { qStream << qId; } QDate date = ui->calendarWidget->selectedDate(); //QString dateStr = date.toString(Qt::ISODate); stream << date; stream << questionList; Network & network = Network::getInstance(); network.sendQuery(ADD_EXAM,request); ui->calendarWidget->hide(); ui->chooseExamDate->hide(); ui->addExam->hide(); ui->tableWidget->show(); } void QuestionControl::questionCheckStateChanged(QString id) { int qId = id.toInt(); int index = selectedQuestionIds.indexOf(qId); if (index == -1){ selectedQuestionIds.push_back(qId); qDebug() << qId; } else { selectedQuestionIds.remove(index); } } void QuestionControl::on_findQuestion_textChanged(const QString &arg1) { ui->tableWidget->setRowCount(0); bool ok; int belowDifficulty = ui->below->text().toInt(&ok); if (!ok && !ui->below->text().isEmpty()) return; if (ui->below->text().isEmpty()){ belowDifficulty = 10; } int aboveDifficulty = ui->above->text().toInt(&ok); if (!ok && !ui->above->text().isEmpty()) return; if (ui->above->text().isEmpty()){ aboveDifficulty = 0; } for (int i=0;i<questions.size();i++){ if (questions[i][4].toInt() > belowDifficulty || questions[i][4].toInt() < aboveDifficulty || !questions[i][1].contains( ui->findQuestion->text(),Qt::CaseInsensitive)){ continue; } ui->tableWidget->insertRow(0); for (int j=0;j<5;j++){//тип,вопрос-ответ,предмет,ID(скрыт),сложность QString columnText = questions[i][j]; ui->tableWidget->setItem(0,j,new QTableWidgetItem(columnText)); } QCheckBox * chkBox = new QCheckBox(); if (selectedQuestionIds.contains(questions[i][3].toInt())){ chkBox->setChecked(true); } connect(chkBox,SIGNAL(toggled(bool)),signalMapper,SLOT(map())); signalMapper->setMapping(chkBox,questions[i][3]); ui->tableWidget->setCellWidget(0,5,chkBox); } ui->tableWidget->resizeRowsToContents(); } void QuestionControl::on_above_textChanged(const QString &arg1) { bool ok; int aboveDifficulty = arg1.toInt(&ok); if (!ok && !arg1.isEmpty()) return; if (arg1.isEmpty()){ aboveDifficulty = 0; } int belowDifficulty = ui->below->text().toInt(&ok); if (!ok && !ui->below->text().isEmpty()) return; if (ui->below->text().isEmpty()){ belowDifficulty = 10; } ui->tableWidget->setRowCount(0); for (int i=0;i<questions.size();i++){ if (questions[i][4].toInt() > belowDifficulty || questions[i][4].toInt() < aboveDifficulty || !questions[i][1].contains( ui->findQuestion->text(),Qt::CaseInsensitive)){ continue; } ui->tableWidget->insertRow(0); for (int j=0;j<5;j++){//тип,вопрос-ответ,предмет,ID(скрыт),сложность QString columnText = questions[i][j]; ui->tableWidget->setItem(0,j,new QTableWidgetItem(columnText)); } QCheckBox * chkBox = new QCheckBox(); if (selectedQuestionIds.contains(questions[i][3].toInt())){ chkBox->setChecked(true); } connect(chkBox,SIGNAL(toggled(bool)),signalMapper,SLOT(map())); signalMapper->setMapping(chkBox,questions[i][3]); ui->tableWidget->setCellWidget(0,5,chkBox); } ui->tableWidget->resizeRowsToContents(); } void QuestionControl::on_below_textChanged(const QString &arg1) { bool ok; int belowDifficulty = arg1.toInt(&ok); if (!ok && !arg1.isEmpty()) return; if (arg1.isEmpty()){ belowDifficulty = 10; } int aboveDifficulty = ui->above->text().toInt(&ok); if (!ok && !ui->above->text().isEmpty()) return; if (ui->above->text().isEmpty()){ aboveDifficulty = 0; } ui->tableWidget->setRowCount(0); for (int i=0;i<questions.size();i++){ if (questions[i][4].toInt() > belowDifficulty || questions[i][4].toInt() < aboveDifficulty || !questions[i][1].contains( ui->findQuestion->text(),Qt::CaseInsensitive)){ continue; } ui->tableWidget->insertRow(0); for (int j=0;j<5;j++){//тип,вопрос-ответ,предмет,ID(скрыт),сложность QString columnText = questions[i][j]; ui->tableWidget->setItem(0,j,new QTableWidgetItem(columnText)); } QCheckBox * chkBox = new QCheckBox(); if (selectedQuestionIds.contains(questions[i][3].toInt())){ chkBox->setChecked(true); } connect(chkBox,SIGNAL(toggled(bool)),signalMapper,SLOT(map())); signalMapper->setMapping(chkBox,questions[i][3]); ui->tableWidget->setCellWidget(0,5,chkBox); } ui->tableWidget->resizeRowsToContents(); } void QuestionControl::on_nRandButton_clicked() { QTime midnight(0,0,0); qsrand(midnight.secsTo(QTime::currentTime())); bool ok; QVector<int> randQuestionsIds; int n = ui->nRandNum->text().toInt(&ok); if (!ok) return; for(int i=0;i<n;i++){ int randRow= qrand() % ui->tableWidget->rowCount(); int qID = ui->tableWidget->item(randRow,3)->text().toInt(); if (randQuestionsIds.contains(qID)){ i--; } else { randQuestionsIds.push_back(qID); } } selectedQuestionIds = randQuestionsIds; on_below_textChanged(ui->below->text()); }
[ "turok.m7@gmail.com" ]
turok.m7@gmail.com
f34fd9ec07c7102d4aa663a6f22990da325e5a8c
0641d87fac176bab11c613e64050330246569e5c
/tags/release-3-2-d02/source/test/intltest/srchtest.cpp
a673f253014ac04767e7420d6b8b52595988ea51
[ "ICU" ]
permissive
svn2github/libicu_full
ecf883cedfe024efa5aeda4c8527f227a9dbf100
f1246dcb7fec5a23ebd6d36ff3515ff0395aeb29
refs/heads/master
2021-01-01T17:00:58.555108
2015-01-27T16:59:40
2015-01-27T16:59:40
9,308,333
0
2
null
null
null
null
UTF-8
C++
false
false
73,950
cpp
/* ***************************************************************************** * Copyright (C) 2001-2004, International Business Machines orporation * and others. All Rights Reserved. ****************************************************************************/ #include "unicode/utypes.h" #if !UCONFIG_NO_COLLATION #include "srchtest.h" #include "../cintltst/usrchdat.c" #include "unicode/stsearch.h" #include "unicode/ustring.h" #include "unicode/schriter.h" #include <string.h> #include <stdio.h> // private definitions ----------------------------------------------------- #define CASE(id,test) \ case id: \ name = #test; \ if (exec) { \ logln(#test "---"); \ logln((UnicodeString)""); \ test(); \ } \ break; // public contructors and destructors -------------------------------------- StringSearchTest::StringSearchTest() : m_en_wordbreaker_(NULL), m_en_characterbreaker_(NULL) { UErrorCode status = U_ZERO_ERROR; m_en_us_ = (RuleBasedCollator *)Collator::createInstance("en_US", status); m_fr_fr_ = (RuleBasedCollator *)Collator::createInstance("fr_FR", status); m_de_ = (RuleBasedCollator *)Collator::createInstance("de_DE", status); m_es_ = (RuleBasedCollator *)Collator::createInstance("es_ES", status); if(U_FAILURE(status)) { delete m_en_us_; delete m_fr_fr_; delete m_de_; delete m_es_; m_en_us_ = 0; m_fr_fr_ = 0; m_de_ = 0; m_es_ = 0; errln("Collator creation failed with %s", u_errorName(status)); return; } UnicodeString rules; rules.setTo(((RuleBasedCollator *)m_de_)->getRules()); UChar extrarules[128]; u_unescape(EXTRACOLLATIONRULE, extrarules, 128); rules.append(extrarules, u_strlen(extrarules)); delete m_de_; m_de_ = new RuleBasedCollator(rules, status); rules.setTo(((RuleBasedCollator *)m_es_)->getRules()); rules.append(extrarules, u_strlen(extrarules)); delete m_es_; m_es_ = new RuleBasedCollator(rules, status); #if !UCONFIG_NO_BREAK_ITERATION m_en_wordbreaker_ = BreakIterator::createWordInstance( Locale::getEnglish(), status); m_en_characterbreaker_ = BreakIterator::createCharacterInstance( Locale::getEnglish(), status); #endif } StringSearchTest::~StringSearchTest() { delete m_en_us_; delete m_fr_fr_; delete m_de_; delete m_es_; #if !UCONFIG_NO_BREAK_ITERATION delete m_en_wordbreaker_; delete m_en_characterbreaker_; #endif } // public methods ---------------------------------------------------------- void StringSearchTest::runIndexedTest(int32_t index, UBool exec, const char* &name, char* ) { if (m_en_us_ == NULL && m_fr_fr_ == NULL && m_de_ == NULL && m_es_ == NULL && m_en_wordbreaker_ == NULL && m_en_characterbreaker_ == NULL && exec) { errln(__FILE__ " cannot test - failed to create collator."); name = ""; return; } switch (index) { CASE(0, TestOpenClose) CASE(1, TestInitialization) CASE(2, TestBasic) CASE(3, TestNormExact) CASE(4, TestStrength) #if UCONFIG_NO_BREAK_ITERATION case 5: name = "TestBreakIterator"; break; #else CASE(5, TestBreakIterator) #endif CASE(6, TestVariable) CASE(7, TestOverlap) CASE(8, TestCollator) CASE(9, TestPattern) CASE(10, TestText) CASE(11, TestCompositeBoundaries) CASE(12, TestGetSetOffset) CASE(13, TestGetSetAttribute) CASE(14, TestGetMatch) CASE(15, TestSetMatch) CASE(16, TestReset) CASE(17, TestSupplementary) CASE(18, TestContraction) CASE(19, TestIgnorable) CASE(20, TestCanonical) CASE(21, TestNormCanonical) CASE(22, TestStrengthCanonical) #if UCONFIG_NO_BREAK_ITERATION case 23: name = "TestBreakIteratorCanonical"; break; #else CASE(23, TestBreakIteratorCanonical) #endif CASE(24, TestVariableCanonical) CASE(25, TestOverlapCanonical) CASE(26, TestCollatorCanonical) CASE(27, TestPatternCanonical) CASE(28, TestTextCanonical) CASE(29, TestCompositeBoundariesCanonical) CASE(30, TestGetSetOffsetCanonical) CASE(31, TestSupplementaryCanonical) CASE(32, TestContractionCanonical) CASE(33, TestUClassID) CASE(34, TestSubclass) default: name = ""; break; } } // private methods ------------------------------------------------------ RuleBasedCollator * StringSearchTest::getCollator(const char *collator) { if (collator == NULL) { return m_en_us_; } if (strcmp(collator, "fr") == 0) { return m_fr_fr_; } else if (strcmp(collator, "de") == 0) { return m_de_; } else if (strcmp(collator, "es") == 0) { return m_es_; } else { return m_en_us_; } } BreakIterator * StringSearchTest::getBreakIterator(const char *breaker) { #if UCONFIG_NO_BREAK_ITERATION return NULL; #else if (breaker == NULL) { return NULL; } if (strcmp(breaker, "wordbreaker") == 0) { return m_en_wordbreaker_; } else { return m_en_characterbreaker_; } #endif } char * StringSearchTest::toCharString(const UnicodeString &text) { static char result[1024]; int index = 0; int count = 0; int length = text.length(); for (; count < length; count ++) { UChar ch = text[count]; if (ch >= 0x20 && ch <= 0x7e) { result[index ++] = (char)ch; } else { sprintf(result+index, "\\u%04x", ch); index += 6; /* \uxxxx */ } } result[index] = 0; return result; } Collator::ECollationStrength StringSearchTest::getECollationStrength( const UCollationStrength &strength) const { switch (strength) { case UCOL_PRIMARY : return Collator::PRIMARY; case UCOL_SECONDARY : return Collator::SECONDARY; case UCOL_TERTIARY : return Collator::TERTIARY; default : return Collator::IDENTICAL; } } UBool StringSearchTest::assertEqualWithStringSearch(StringSearch *strsrch, const SearchData *search) { int count = 0; UErrorCode status = U_ZERO_ERROR; int32_t matchindex = search->offset[count]; UnicodeString matchtext; if (strsrch->getMatchedStart() != USEARCH_DONE || strsrch->getMatchedLength() != 0) { errln("Error with the initialization of match start and length"); } // start of following matches while (U_SUCCESS(status) && matchindex >= 0) { int32_t matchlength = search->size[count]; strsrch->next(status); if (matchindex != strsrch->getMatchedStart() || matchlength != strsrch->getMatchedLength()) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error following match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return FALSE; } count ++; strsrch->getMatchedText(matchtext); if (U_FAILURE(status) || strsrch->getText().compareBetween(matchindex, matchindex + matchlength, matchtext, 0, matchtext.length())) { errln("Error getting following matched text"); } matchindex = search->offset[count]; } strsrch->next(status); if (strsrch->getMatchedStart() != USEARCH_DONE || strsrch->getMatchedLength() != 0) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error following match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return FALSE; } // start of preceding matches count = count == 0 ? 0 : count - 1; matchindex = search->offset[count]; while (U_SUCCESS(status) && matchindex >= 0) { int32_t matchlength = search->size[count]; strsrch->previous(status); if (matchindex != strsrch->getMatchedStart() || matchlength != strsrch->getMatchedLength()) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error following match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return FALSE; } strsrch->getMatchedText(matchtext); if (U_FAILURE(status) || strsrch->getText().compareBetween(matchindex, matchindex + matchlength, matchtext, 0, matchtext.length())) { errln("Error getting following matched text"); } matchindex = count > 0 ? search->offset[count - 1] : -1; count --; } strsrch->previous(status); if (strsrch->getMatchedStart() != USEARCH_DONE || strsrch->getMatchedLength() != 0) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error following match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return FALSE; } return TRUE; } UBool StringSearchTest::assertEqual(const SearchData *search) { UErrorCode status = U_ZERO_ERROR; Collator *collator = getCollator(search->collator); BreakIterator *breaker = getBreakIterator(search->breaker); StringSearch *strsrch, *strsrch2; UChar temp[128]; #if UCONFIG_NO_BREAK_ITERATION if(search->breaker) { return TRUE; /* skip test */ } #endif u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp); #if !UCONFIG_NO_BREAK_ITERATION if (breaker != NULL) { breaker->setText(text); } #endif collator->setStrength(getECollationStrength(search->strength)); strsrch = new StringSearch(pattern, text, (RuleBasedCollator *)collator, breaker, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); return FALSE; } if (!assertEqualWithStringSearch(strsrch, search)) { collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return FALSE; } strsrch2 = strsrch->clone(); if( strsrch2 == strsrch || *strsrch2 != *strsrch || !assertEqualWithStringSearch(strsrch2, search) ) { errln("failure with StringSearch.clone()"); collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; delete strsrch2; return FALSE; } delete strsrch2; collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return TRUE; } UBool StringSearchTest::assertCanonicalEqual(const SearchData *search) { UErrorCode status = U_ZERO_ERROR; Collator *collator = getCollator(search->collator); BreakIterator *breaker = getBreakIterator(search->breaker); StringSearch *strsrch; UChar temp[128]; #if UCONFIG_NO_BREAK_ITERATION if(search->breaker) { return TRUE; /* skip test */ } #endif u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp); #if !UCONFIG_NO_BREAK_ITERATION if (breaker != NULL) { breaker->setText(text); } #endif collator->setStrength(getECollationStrength(search->strength)); strsrch = new StringSearch(pattern, text, (RuleBasedCollator *)collator, breaker, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); return FALSE; } if (!assertEqualWithStringSearch(strsrch, search)) { collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return FALSE; } collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return TRUE; } UBool StringSearchTest::assertEqualWithAttribute(const SearchData *search, USearchAttributeValue canonical, USearchAttributeValue overlap) { UErrorCode status = U_ZERO_ERROR; Collator *collator = getCollator(search->collator); BreakIterator *breaker = getBreakIterator(search->breaker); StringSearch *strsrch; UChar temp[128]; #if UCONFIG_NO_BREAK_ITERATION if(search->breaker) { return TRUE; /* skip test */ } #endif u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp); #if !UCONFIG_NO_BREAK_ITERATION if (breaker != NULL) { breaker->setText(text); } #endif collator->setStrength(getECollationStrength(search->strength)); strsrch = new StringSearch(pattern, text, (RuleBasedCollator *)collator, breaker, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, canonical, status); strsrch->setAttribute(USEARCH_OVERLAP, overlap, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); return FALSE; } if (!assertEqualWithStringSearch(strsrch, search)) { collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return FALSE; } collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return TRUE; } void StringSearchTest::TestOpenClose() { UErrorCode status = U_ZERO_ERROR; StringSearch *result; BreakIterator *breakiter = m_en_wordbreaker_; UnicodeString pattern; UnicodeString text; UnicodeString temp("a"); StringCharacterIterator chariter(text); /* testing null arguments */ result = new StringSearch(pattern, text, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: NULL arguments should produce an error"); } delete result; chariter.setText(text); status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: NULL arguments should produce an error"); } delete result; text.append(0, 0x1); status = U_ZERO_ERROR; result = new StringSearch(pattern, text, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: Empty pattern should produce an error"); } delete result; chariter.setText(text); status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: Empty pattern should produce an error"); } delete result; text.remove(); pattern.append(temp); status = U_ZERO_ERROR; result = new StringSearch(pattern, text, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: Empty text should produce an error"); } delete result; chariter.setText(text); status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: Empty text should produce an error"); } delete result; text.append(temp); status = U_ZERO_ERROR; result = new StringSearch(pattern, text, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: NULL arguments should produce an error"); } delete result; chariter.setText(text); status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, NULL, NULL, status); if (U_SUCCESS(status)) { errln("Error: NULL arguments should produce an error"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error: NULL break iterator is valid for opening search"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error: NULL break iterator is valid for opening search"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, text, Locale::getEnglish(), NULL, status); if (U_FAILURE(status) || result == NULL) { errln("Error: NULL break iterator is valid for opening search"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, Locale::getEnglish(), NULL, status); if (U_FAILURE(status)) { errln("Error: NULL break iterator is valid for opening search"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, text, m_en_us_, breakiter, status); if (U_FAILURE(status)) { errln("Error: Break iterator is valid for opening search"); } delete result; status = U_ZERO_ERROR; result = new StringSearch(pattern, chariter, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error: Break iterator is valid for opening search"); } delete result; } void StringSearchTest::TestInitialization() { UErrorCode status = U_ZERO_ERROR; UnicodeString pattern; UnicodeString text; UnicodeString temp("a"); StringSearch *result; int count; /* simple test on the pattern ce construction */ pattern.append(temp); pattern.append(temp); text.append(temp); text.append(temp); text.append(temp); result = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening search %s", u_errorName(status)); } StringSearch *copy = new StringSearch(*result); if (*(copy->getCollator()) != *(result->getCollator()) || copy->getBreakIterator() != result->getBreakIterator() || copy->getMatchedLength() != result->getMatchedLength() || copy->getMatchedStart() != result->getMatchedStart() || copy->getOffset() != result->getOffset() || copy->getPattern() != result->getPattern() || copy->getText() != result->getText() || *(copy) != *(result)) { errln("Error copying StringSearch"); } delete copy; copy = (StringSearch *)result->safeClone(); if (*(copy->getCollator()) != *(result->getCollator()) || copy->getBreakIterator() != result->getBreakIterator() || copy->getMatchedLength() != result->getMatchedLength() || copy->getMatchedStart() != result->getMatchedStart() || copy->getOffset() != result->getOffset() || copy->getPattern() != result->getPattern() || copy->getText() != result->getText() || *(copy) != *(result)) { errln("Error copying StringSearch"); } delete result; /* testing if an extremely large pattern will fail the initialization */ for (count = 0; count < 512; count ++) { pattern.append(temp); } result = new StringSearch(pattern, text, m_en_us_, NULL, status); if (*result != *result) { errln("Error: string search object expected to match itself"); } if (*result == *copy) { errln("Error: string search objects are not expected to match"); } *copy = *result; if (*(copy->getCollator()) != *(result->getCollator()) || copy->getBreakIterator() != result->getBreakIterator() || copy->getMatchedLength() != result->getMatchedLength() || copy->getMatchedStart() != result->getMatchedStart() || copy->getOffset() != result->getOffset() || copy->getPattern() != result->getPattern() || copy->getText() != result->getText() || *(copy) != *(result)) { errln("Error copying StringSearch"); } if (U_FAILURE(status)) { errln("Error opening search %s", u_errorName(status)); } delete result; delete copy; } void StringSearchTest::TestBasic() { int count = 0; while (BASIC[count].text != NULL) { //printf("count %d", count); if (!assertEqual(&BASIC[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestNormExact() { int count = 0; UErrorCode status = U_ZERO_ERROR; m_en_us_->setAttribute(UCOL_NORMALIZATION_MODE, UCOL_ON, status); if (U_FAILURE(status)) { errln("Error setting collation normalization %s", u_errorName(status)); } while (BASIC[count].text != NULL) { if (!assertEqual(&BASIC[count])) { errln("Error at test number %d", count); } count ++; } count = 0; while (NORMEXACT[count].text != NULL) { if (!assertEqual(&NORMEXACT[count])) { errln("Error at test number %d", count); } count ++; } m_en_us_->setAttribute(UCOL_NORMALIZATION_MODE, UCOL_OFF, status); count = 0; while (NONNORMEXACT[count].text != NULL) { if (!assertEqual(&NONNORMEXACT[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestStrength() { int count = 0; while (STRENGTH[count].text != NULL) { if (!assertEqual(&STRENGTH[count])) { errln("Error at test number %d", count); } count ++; } } #if !UCONFIG_NO_BREAK_ITERATION void StringSearchTest::TestBreakIterator() { UChar temp[128]; u_unescape(BREAKITERATOREXACT[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(BREAKITERATOREXACT[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); } strsrch->setBreakIterator(NULL, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != NULL) { errln("Error usearch_getBreakIterator returned wrong object"); } strsrch->setBreakIterator(m_en_characterbreaker_, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != m_en_characterbreaker_) { errln("Error usearch_getBreakIterator returned wrong object"); } strsrch->setBreakIterator(m_en_wordbreaker_, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != m_en_wordbreaker_) { errln("Error usearch_getBreakIterator returned wrong object"); } delete strsrch; int count = 0; while (count < 4) { // special purposes for tests numbers 0-3 const SearchData *search = &(BREAKITERATOREXACT[count]); RuleBasedCollator *collator = getCollator(search->collator); BreakIterator *breaker = getBreakIterator(search->breaker); StringSearch *strsrch; u_unescape(search->text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(search->pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); if (breaker != NULL) { breaker->setText(text); } collator->setStrength(getECollationStrength(search->strength)); strsrch = new StringSearch(pattern, text, collator, breaker, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != breaker) { errln("Error setting break iterator"); if (strsrch != NULL) { delete strsrch; } } if (!assertEqualWithStringSearch(strsrch, search)) { collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; } search = &(BREAKITERATOREXACT[count + 1]); breaker = getBreakIterator(search->breaker); if (breaker != NULL) { breaker->setText(text); } strsrch->setBreakIterator(breaker, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != breaker) { errln("Error setting break iterator"); delete strsrch; } strsrch->reset(); if (!assertEqualWithStringSearch(strsrch, search)) { errln("Error at test number %d", count); } delete strsrch; count += 2; } count = 0; while (BREAKITERATOREXACT[count].text != NULL) { if (!assertEqual(&BREAKITERATOREXACT[count])) { errln("Error at test number %d", count); } count ++; } } #endif void StringSearchTest::TestVariable() { int count = 0; UErrorCode status = U_ZERO_ERROR; m_en_us_->setAttribute(UCOL_ALTERNATE_HANDLING, UCOL_SHIFTED, status); if (U_FAILURE(status)) { errln("Error setting collation alternate attribute %s", u_errorName(status)); } while (VARIABLE[count].text != NULL) { logln("variable %d", count); if (!assertEqual(&VARIABLE[count])) { errln("Error at test number %d", count); } count ++; } m_en_us_->setAttribute(UCOL_ALTERNATE_HANDLING, UCOL_NON_IGNORABLE, status); } void StringSearchTest::TestOverlap() { int count = 0; while (OVERLAP[count].text != NULL) { if (!assertEqualWithAttribute(&OVERLAP[count], USEARCH_OFF, USEARCH_ON)) { errln("Error at overlap test number %d", count); } count ++; } count = 0; while (NONOVERLAP[count].text != NULL) { if (!assertEqual(&NONOVERLAP[count])) { errln("Error at non overlap test number %d", count); } count ++; } count = 0; while (count < 1) { const SearchData *search = &(OVERLAP[count]); UChar temp[128]; u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); RuleBasedCollator *collator = getCollator(search->collator); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, collator, NULL, status); strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_ON, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_ON) { errln("Error setting overlap option"); } if (!assertEqualWithStringSearch(strsrch, search)) { delete strsrch; return; } search = &(NONOVERLAP[count]); strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_OFF, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_OFF) { errln("Error setting overlap option"); } strsrch->reset(); if (!assertEqualWithStringSearch(strsrch, search)) { delete strsrch; errln("Error at test number %d", count); } count ++; delete strsrch; } } void StringSearchTest::TestCollator() { // test collator that thinks "o" and "p" are the same thing UChar temp[128]; u_unescape(COLLATOR[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(COLLATOR[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); delete strsrch; return; } if (!assertEqualWithStringSearch(strsrch, &COLLATOR[0])) { delete strsrch; return; } u_unescape(TESTCOLLATORRULE, temp, 128); UnicodeString rules; rules.setTo(temp, u_strlen(temp)); RuleBasedCollator *tailored = new RuleBasedCollator(rules, status); tailored->setStrength(getECollationStrength(COLLATOR[1].strength)); if (U_FAILURE(status)) { errln("Error opening rule based collator %s", u_errorName(status)); delete strsrch; if (tailored != NULL) { delete tailored; } return; } strsrch->setCollator(tailored, status); if (U_FAILURE(status) || (*strsrch->getCollator()) != (*tailored)) { errln("Error setting rule based collator"); delete strsrch; if (tailored != NULL) { delete tailored; } } strsrch->reset(); if (!assertEqualWithStringSearch(strsrch, &COLLATOR[1])) { delete strsrch; if (tailored != NULL) { delete tailored; } return; } strsrch->setCollator(m_en_us_, status); strsrch->reset(); if (U_FAILURE(status) || (*strsrch->getCollator()) != (*m_en_us_)) { errln("Error setting rule based collator"); delete strsrch; if (tailored != NULL) { delete tailored; } } if (!assertEqualWithStringSearch(strsrch, &COLLATOR[0])) { errln("Error searching collator test"); } delete strsrch; if (tailored != NULL) { delete tailored; } } void StringSearchTest::TestPattern() { UChar temp[512]; int templength; u_unescape(PATTERN[0].text, temp, 512); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(PATTERN[0].pattern, temp, 512); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); m_en_us_->setStrength(getECollationStrength(PATTERN[0].strength)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } if (strsrch->getPattern() != pattern) { errln("Error setting pattern"); } if (!assertEqualWithStringSearch(strsrch, &PATTERN[0])) { m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } u_unescape(PATTERN[1].pattern, temp, 512); pattern.setTo(temp, u_strlen(temp)); strsrch->setPattern(pattern, status); if (pattern != strsrch->getPattern()) { errln("Error setting pattern"); m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } strsrch->reset(); if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &PATTERN[1])) { m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } u_unescape(PATTERN[0].pattern, temp, 512); pattern.setTo(temp, u_strlen(temp)); strsrch->setPattern(pattern, status); if (pattern != strsrch->getPattern()) { errln("Error setting pattern"); m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } strsrch->reset(); if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &PATTERN[0])) { m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } return; } /* enormous pattern size to see if this crashes */ for (templength = 0; templength != 512; templength ++) { temp[templength] = 0x61; } temp[511] = 0; pattern.setTo(temp, 511); strsrch->setPattern(pattern, status); if (U_FAILURE(status)) { errln("Error setting pattern with size 512, %s", u_errorName(status)); } m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } } void StringSearchTest::TestText() { UChar temp[128]; u_unescape(TEXT[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(TEXT[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); return; } if (text != strsrch->getText()) { errln("Error setting text"); } if (!assertEqualWithStringSearch(strsrch, &TEXT[0])) { delete strsrch; return; } u_unescape(TEXT[1].text, temp, 128); text.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); if (text != strsrch->getText()) { errln("Error setting text"); delete strsrch; return; } if (U_FAILURE(status)) { errln("Error setting text %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &TEXT[1])) { delete strsrch; return; } u_unescape(TEXT[0].text, temp, 128); text.setTo(temp, u_strlen(temp)); StringCharacterIterator chariter(text); strsrch->setText(chariter, status); if (text != strsrch->getText()) { errln("Error setting text"); delete strsrch; return; } if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &TEXT[0])) { errln("Error searching within set text"); } delete strsrch; } void StringSearchTest::TestCompositeBoundaries() { int count = 0; while (COMPOSITEBOUNDARIES[count].text != NULL) { logln("composite %d", count); if (!assertEqual(&COMPOSITEBOUNDARIES[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestGetSetOffset() { UErrorCode status = U_ZERO_ERROR; UnicodeString pattern("1234567890123456"); UnicodeString text("12345678901234567890123456789012"); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); /* testing out of bounds error */ strsrch->setOffset(-1, status); if (U_SUCCESS(status)) { errln("Error expecting set offset error"); } strsrch->setOffset(128, status); if (U_SUCCESS(status)) { errln("Error expecting set offset error"); } int index = 0; while (BASIC[index].text != NULL) { UErrorCode status = U_ZERO_ERROR; SearchData search = BASIC[index ++]; UChar temp[128]; u_unescape(search.text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(search.pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); strsrch->setPattern(pattern, status); strsrch->getCollator()->setStrength(getECollationStrength( search.strength)); strsrch->reset(); int count = 0; int32_t matchindex = search.offset[count]; while (U_SUCCESS(status) && matchindex >= 0) { int32_t matchlength = search.size[count]; strsrch->next(status); if (matchindex != strsrch->getMatchedStart() || matchlength != strsrch->getMatchedLength()) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return; } matchindex = search.offset[count + 1] == -1 ? -1 : search.offset[count + 2]; if (search.offset[count + 1] != -1) { strsrch->setOffset(search.offset[count + 1] + 1, status); if (strsrch->getOffset() != search.offset[count + 1] + 1) { errln("Error setting offset\n"); return; } } count += 2; } strsrch->next(status); if (strsrch->getMatchedStart() != USEARCH_DONE) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return; } } strsrch->getCollator()->setStrength(getECollationStrength( UCOL_TERTIARY)); delete strsrch; } void StringSearchTest::TestGetSetAttribute() { UErrorCode status = U_ZERO_ERROR; UnicodeString pattern("pattern"); UnicodeString text("text"); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening search %s", u_errorName(status)); return; } strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_DEFAULT, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_OFF) { errln("Error setting overlap to the default"); } strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_ON, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_ON) { errln("Error setting overlap true"); } strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_OFF, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_OFF) { errln("Error setting overlap false"); } strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_ATTRIBUTE_VALUE_COUNT, status); if (U_SUCCESS(status)) { errln("Error setting overlap to illegal value"); } status = U_ZERO_ERROR; strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_DEFAULT, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_CANONICAL_MATCH) != USEARCH_OFF) { errln("Error setting canonical match to the default"); } strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_CANONICAL_MATCH) != USEARCH_ON) { errln("Error setting canonical match true"); } strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_OFF, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_CANONICAL_MATCH) != USEARCH_OFF) { errln("Error setting canonical match false"); } strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ATTRIBUTE_VALUE_COUNT, status); if (U_SUCCESS(status)) { errln("Error setting canonical match to illegal value"); } status = U_ZERO_ERROR; strsrch->setAttribute(USEARCH_ATTRIBUTE_COUNT, USEARCH_DEFAULT, status); if (U_SUCCESS(status)) { errln("Error setting illegal attribute success"); } delete strsrch; } void StringSearchTest::TestGetMatch() { UChar temp[128]; SearchData search = MATCH[0]; u_unescape(search.text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(search.pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); if (strsrch != NULL) { delete strsrch; } return; } int count = 0; int32_t matchindex = search.offset[count]; UnicodeString matchtext; while (U_SUCCESS(status) && matchindex >= 0) { int32_t matchlength = search.size[count]; strsrch->next(status); if (matchindex != strsrch->getMatchedStart() || matchlength != strsrch->getMatchedLength()) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return; } count ++; status = U_ZERO_ERROR; strsrch->getMatchedText(matchtext); if (matchtext.length() != matchlength || U_FAILURE(status)){ errln("Error getting match text"); } matchindex = search.offset[count]; } status = U_ZERO_ERROR; strsrch->next(status); if (strsrch->getMatchedStart() != USEARCH_DONE || strsrch->getMatchedLength() != 0) { errln("Error end of match not found"); } status = U_ZERO_ERROR; strsrch->getMatchedText(matchtext); if (matchtext.length() != 0) { errln("Error getting null matches"); } delete strsrch; } void StringSearchTest::TestSetMatch() { int count = 0; while (MATCH[count].text != NULL) { SearchData search = MATCH[count]; UChar temp[128]; UErrorCode status = U_ZERO_ERROR; u_unescape(search.text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(search.pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); if (strsrch != NULL) { delete strsrch; } return; } int size = 0; while (search.offset[size] != -1) { size ++; } if (strsrch->first(status) != search.offset[0] || U_FAILURE(status)) { errln("Error getting first match"); } if (strsrch->last(status) != search.offset[size -1] || U_FAILURE(status)) { errln("Error getting last match"); } int index = 0; while (index < size) { if (index + 2 < size) { if (strsrch->following(search.offset[index + 2] - 1, status) != search.offset[index + 2] || U_FAILURE(status)) { errln("Error getting following match at index %d", search.offset[index + 2] - 1); } } if (index + 1 < size) { if (strsrch->preceding(search.offset[index + 1] + search.size[index + 1] + 1, status) != search.offset[index + 1] || U_FAILURE(status)) { errln("Error getting preceeding match at index %d", search.offset[index + 1] + 1); } } index += 2; } status = U_ZERO_ERROR; if (strsrch->following(text.length(), status) != USEARCH_DONE) { errln("Error expecting out of bounds match"); } if (strsrch->preceding(0, status) != USEARCH_DONE) { errln("Error expecting out of bounds match"); } count ++; delete strsrch; } } void StringSearchTest::TestReset() { UErrorCode status = U_ZERO_ERROR; UnicodeString text("fish fish"); UnicodeString pattern("s"); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); if (strsrch != NULL) { delete strsrch; } return; } strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_ON, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); strsrch->setOffset(9, status); if (U_FAILURE(status)) { errln("Error setting attributes and offsets"); } else { strsrch->reset(); if (strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_OFF || strsrch->getAttribute(USEARCH_CANONICAL_MATCH) != USEARCH_OFF || strsrch->getOffset() != 0 || strsrch->getMatchedLength() != 0 || strsrch->getMatchedStart() != USEARCH_DONE) { errln("Error resetting string search"); } strsrch->previous(status); if (strsrch->getMatchedStart() != 7 || strsrch->getMatchedLength() != 1) { errln("Error resetting string search\n"); } } delete strsrch; } void StringSearchTest::TestSupplementary() { int count = 0; while (SUPPLEMENTARY[count].text != NULL) { if (!assertEqual(&SUPPLEMENTARY[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestContraction() { UChar temp[128]; UErrorCode status = U_ZERO_ERROR; u_unescape(CONTRACTIONRULE, temp, 128); UnicodeString rules; rules.setTo(temp, u_strlen(temp)); RuleBasedCollator *collator = new RuleBasedCollator(rules, getECollationStrength(UCOL_TERTIARY), UCOL_ON, status); if (U_FAILURE(status)) { errln("Error opening collator %s", u_errorName(status)); } UnicodeString text("text"); UnicodeString pattern("pattern"); StringSearch *strsrch = new StringSearch(pattern, text, collator, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); } int count = 0; while (CONTRACTION[count].text != NULL) { u_unescape(CONTRACTION[count].text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(CONTRACTION[count].pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); strsrch->setPattern(pattern, status); if (!assertEqualWithStringSearch(strsrch, &CONTRACTION[count])) { errln("Error at test number %d", count); } count ++; } delete strsrch; delete collator; } void StringSearchTest::TestIgnorable() { UChar temp[128]; u_unescape(IGNORABLERULE, temp, 128); UnicodeString rules; rules.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; int count = 0; RuleBasedCollator *collator = new RuleBasedCollator(rules, getECollationStrength(IGNORABLE[count].strength), UCOL_ON, status); if (U_FAILURE(status)) { errln("Error opening collator %s", u_errorName(status)); return; } UnicodeString pattern("pattern"); UnicodeString text("text"); StringSearch *strsrch = new StringSearch(pattern, text, collator, NULL, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); delete collator; return; } while (IGNORABLE[count].text != NULL) { u_unescape(IGNORABLE[count].text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(IGNORABLE[count].pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); strsrch->setPattern(pattern, status); if (!assertEqualWithStringSearch(strsrch, &IGNORABLE[count])) { errln("Error at test number %d", count); } count ++; } delete strsrch; delete collator; } void StringSearchTest::TestCanonical() { int count = 0; while (BASICCANONICAL[count].text != NULL) { if (!assertCanonicalEqual(&BASICCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestNormCanonical() { UErrorCode status = U_ZERO_ERROR; m_en_us_->setAttribute(UCOL_NORMALIZATION_MODE, UCOL_ON, status); int count = 0; while (NORMCANONICAL[count].text != NULL) { if (!assertCanonicalEqual(&NORMCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } m_en_us_->setAttribute(UCOL_NORMALIZATION_MODE, UCOL_OFF, status); } void StringSearchTest::TestStrengthCanonical() { int count = 0; while (STRENGTHCANONICAL[count].text != NULL) { if (!assertCanonicalEqual(&STRENGTHCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } } #if !UCONFIG_NO_BREAK_ITERATION void StringSearchTest::TestBreakIteratorCanonical() { UErrorCode status = U_ZERO_ERROR; int count = 0; while (count < 4) { // special purposes for tests numbers 0-3 UChar temp[128]; const SearchData *search = &(BREAKITERATORCANONICAL[count]); u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); RuleBasedCollator *collator = getCollator(search->collator); collator->setStrength(getECollationStrength(search->strength)); BreakIterator *breaker = getBreakIterator(search->breaker); StringSearch *strsrch = new StringSearch(pattern, text, collator, breaker, status); if (U_FAILURE(status)) { errln("Error creating string search data"); return; } strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != breaker) { errln("Error setting break iterator"); delete strsrch; return; } if (!assertEqualWithStringSearch(strsrch, search)) { collator->setStrength(getECollationStrength(UCOL_TERTIARY)); delete strsrch; return; } search = &(BREAKITERATOREXACT[count + 1]); breaker = getBreakIterator(search->breaker); if (breaker == NULL) { errln("Error creating BreakIterator"); return; } breaker->setText(strsrch->getText()); strsrch->setBreakIterator(breaker, status); if (U_FAILURE(status) || strsrch->getBreakIterator() != breaker) { errln("Error setting break iterator"); delete strsrch; return; } strsrch->reset(); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (!assertEqualWithStringSearch(strsrch, search)) { errln("Error at test number %d", count); return; } delete strsrch; count += 2; } count = 0; while (BREAKITERATORCANONICAL[count].text != NULL) { if (!assertEqual(&BREAKITERATORCANONICAL[count])) { errln("Error at test number %d", count); return; } count ++; } } #endif void StringSearchTest::TestVariableCanonical() { int count = 0; UErrorCode status = U_ZERO_ERROR; m_en_us_->setAttribute(UCOL_ALTERNATE_HANDLING, UCOL_SHIFTED, status); if (U_FAILURE(status)) { errln("Error setting collation alternate attribute %s", u_errorName(status)); } while (VARIABLE[count].text != NULL) { logln("variable %d", count); if (!assertCanonicalEqual(&VARIABLE[count])) { errln("Error at test number %d", count); } count ++; } m_en_us_->setAttribute(UCOL_ALTERNATE_HANDLING, UCOL_NON_IGNORABLE, status); } void StringSearchTest::TestOverlapCanonical() { int count = 0; while (OVERLAPCANONICAL[count].text != NULL) { if (!assertEqualWithAttribute(&OVERLAPCANONICAL[count], USEARCH_ON, USEARCH_ON)) { errln("Error at overlap test number %d", count); } count ++; } count = 0; while (NONOVERLAP[count].text != NULL) { if (!assertCanonicalEqual(&NONOVERLAPCANONICAL[count])) { errln("Error at non overlap test number %d", count); } count ++; } count = 0; while (count < 1) { UChar temp[128]; const SearchData *search = &(OVERLAPCANONICAL[count]); UErrorCode status = U_ZERO_ERROR; u_unescape(search->text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(search->pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); RuleBasedCollator *collator = getCollator(search->collator); StringSearch *strsrch = new StringSearch(pattern, text, collator, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_ON, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_ON) { errln("Error setting overlap option"); } if (!assertEqualWithStringSearch(strsrch, search)) { delete strsrch; return; } search = &(NONOVERLAPCANONICAL[count]); strsrch->setAttribute(USEARCH_OVERLAP, USEARCH_OFF, status); if (U_FAILURE(status) || strsrch->getAttribute(USEARCH_OVERLAP) != USEARCH_OFF) { errln("Error setting overlap option"); } strsrch->reset(); if (!assertEqualWithStringSearch(strsrch, search)) { delete strsrch; errln("Error at test number %d", count); } count ++; delete strsrch; } } void StringSearchTest::TestCollatorCanonical() { /* test collator that thinks "o" and "p" are the same thing */ UChar temp[128]; u_unescape(COLLATORCANONICAL[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(COLLATORCANONICAL[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &COLLATORCANONICAL[0])) { delete strsrch; return; } u_unescape(TESTCOLLATORRULE, temp, 128); UnicodeString rules; rules.setTo(temp, u_strlen(temp)); RuleBasedCollator *tailored = new RuleBasedCollator(rules, getECollationStrength(COLLATORCANONICAL[1].strength), UCOL_ON, status); if (U_FAILURE(status)) { errln("Error opening rule based collator %s", u_errorName(status)); } strsrch->setCollator(tailored, status); if (U_FAILURE(status) || *(strsrch->getCollator()) != *tailored) { errln("Error setting rule based collator"); } strsrch->reset(); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (!assertEqualWithStringSearch(strsrch, &COLLATORCANONICAL[1])) { delete strsrch; if (tailored != NULL) { delete tailored; } } strsrch->setCollator(m_en_us_, status); strsrch->reset(); if (U_FAILURE(status) || *(strsrch->getCollator()) != *m_en_us_) { errln("Error setting rule based collator"); } if (!assertEqualWithStringSearch(strsrch, &COLLATORCANONICAL[0])) { } delete strsrch; if (tailored != NULL) { delete tailored; } } void StringSearchTest::TestPatternCanonical() { UChar temp[128]; u_unescape(PATTERNCANONICAL[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(PATTERNCANONICAL[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); m_en_us_->setStrength( getECollationStrength(PATTERNCANONICAL[0].strength)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); goto ENDTESTPATTERN; } if (pattern != strsrch->getPattern()) { errln("Error setting pattern"); } if (!assertEqualWithStringSearch(strsrch, &PATTERNCANONICAL[0])) { goto ENDTESTPATTERN; } u_unescape(PATTERNCANONICAL[1].pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setPattern(pattern, status); if (pattern != strsrch->getPattern()) { errln("Error setting pattern"); goto ENDTESTPATTERN; } strsrch->reset(); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &PATTERNCANONICAL[1])) { goto ENDTESTPATTERN; } u_unescape(PATTERNCANONICAL[0].pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setPattern(pattern, status); if (pattern != strsrch->getPattern()) { errln("Error setting pattern"); goto ENDTESTPATTERN; } strsrch->reset(); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &PATTERNCANONICAL[0])) { goto ENDTESTPATTERN; } ENDTESTPATTERN: m_en_us_->setStrength(getECollationStrength(UCOL_TERTIARY)); if (strsrch != NULL) { delete strsrch; } } void StringSearchTest::TestTextCanonical() { UChar temp[128]; u_unescape(TEXTCANONICAL[0].text, temp, 128); UnicodeString text; text.setTo(temp, u_strlen(temp)); u_unescape(TEXTCANONICAL[0].pattern, temp, 128); UnicodeString pattern; pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); goto ENDTESTPATTERN; } if (text != strsrch->getText()) { errln("Error setting text"); } if (!assertEqualWithStringSearch(strsrch, &TEXTCANONICAL[0])) { goto ENDTESTPATTERN; } u_unescape(TEXTCANONICAL[1].text, temp, 128); text.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); if (text != strsrch->getText()) { errln("Error setting text"); goto ENDTESTPATTERN; } if (U_FAILURE(status)) { errln("Error setting text %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &TEXTCANONICAL[1])) { goto ENDTESTPATTERN; } u_unescape(TEXTCANONICAL[0].text, temp, 128); text.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); if (text != strsrch->getText()) { errln("Error setting text"); goto ENDTESTPATTERN; } if (U_FAILURE(status)) { errln("Error setting pattern %s", u_errorName(status)); } if (!assertEqualWithStringSearch(strsrch, &TEXTCANONICAL[0])) { goto ENDTESTPATTERN; } ENDTESTPATTERN: if (strsrch != NULL) { delete strsrch; } } void StringSearchTest::TestCompositeBoundariesCanonical() { int count = 0; while (COMPOSITEBOUNDARIESCANONICAL[count].text != NULL) { logln("composite %d", count); if (!assertCanonicalEqual(&COMPOSITEBOUNDARIESCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestGetSetOffsetCanonical() { UErrorCode status = U_ZERO_ERROR; UnicodeString text("text"); UnicodeString pattern("pattern"); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); /* testing out of bounds error */ strsrch->setOffset(-1, status); if (U_SUCCESS(status)) { errln("Error expecting set offset error"); } strsrch->setOffset(128, status); if (U_SUCCESS(status)) { errln("Error expecting set offset error"); } int index = 0; UChar temp[128]; while (BASICCANONICAL[index].text != NULL) { SearchData search = BASICCANONICAL[index ++]; if (BASICCANONICAL[index].text == NULL) { /* skip the last one */ break; } u_unescape(search.text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(search.pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; strsrch->setText(text, status); strsrch->setPattern(pattern, status); int count = 0; int32_t matchindex = search.offset[count]; while (U_SUCCESS(status) && matchindex >= 0) { int32_t matchlength = search.size[count]; strsrch->next(status); if (matchindex != strsrch->getMatchedStart() || matchlength != strsrch->getMatchedLength()) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return; } matchindex = search.offset[count + 1] == -1 ? -1 : search.offset[count + 2]; if (search.offset[count + 1] != -1) { strsrch->setOffset(search.offset[count + 1] + 1, status); if (strsrch->getOffset() != search.offset[count + 1] + 1) { errln("Error setting offset"); return; } } count += 2; } strsrch->next(status); if (strsrch->getMatchedStart() != USEARCH_DONE) { char *str = toCharString(strsrch->getText()); errln("Text: %s", str); str = toCharString(strsrch->getPattern()); errln("Pattern: %s", str); errln("Error match found at %d %d", strsrch->getMatchedStart(), strsrch->getMatchedLength()); return; } } delete strsrch; } void StringSearchTest::TestSupplementaryCanonical() { int count = 0; while (SUPPLEMENTARYCANONICAL[count].text != NULL) { if (!assertCanonicalEqual(&SUPPLEMENTARYCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } } void StringSearchTest::TestContractionCanonical() { UChar temp[128]; u_unescape(CONTRACTIONRULE, temp, 128); UnicodeString rules; rules.setTo(temp, u_strlen(temp)); UErrorCode status = U_ZERO_ERROR; RuleBasedCollator *collator = new RuleBasedCollator(rules, getECollationStrength(UCOL_TERTIARY), UCOL_ON, status); if (U_FAILURE(status)) { errln("Error opening collator %s", u_errorName(status)); } UnicodeString text("text"); UnicodeString pattern("pattern"); StringSearch *strsrch = new StringSearch(pattern, text, collator, NULL, status); strsrch->setAttribute(USEARCH_CANONICAL_MATCH, USEARCH_ON, status); if (U_FAILURE(status)) { errln("Error opening string search %s", u_errorName(status)); } int count = 0; while (CONTRACTIONCANONICAL[count].text != NULL) { u_unescape(CONTRACTIONCANONICAL[count].text, temp, 128); text.setTo(temp, u_strlen(temp)); u_unescape(CONTRACTIONCANONICAL[count].pattern, temp, 128); pattern.setTo(temp, u_strlen(temp)); strsrch->setText(text, status); strsrch->setPattern(pattern, status); if (!assertEqualWithStringSearch(strsrch, &CONTRACTIONCANONICAL[count])) { errln("Error at test number %d", count); } count ++; } delete strsrch; delete collator; } void StringSearchTest::TestUClassID() { char id = *((char *)StringSearch::getStaticClassID()); if (id != 0) { errln("Static class id for StringSearch should be 0"); } UErrorCode status = U_ZERO_ERROR; UnicodeString text("text"); UnicodeString pattern("pattern"); StringSearch *strsrch = new StringSearch(pattern, text, m_en_us_, NULL, status); id = *((char *)strsrch->getDynamicClassID()); if (id != 0) { errln("Dynamic class id for StringSearch should be 0"); } delete strsrch; } class TestSearch : public SearchIterator { public: TestSearch(const TestSearch &obj); TestSearch(const UnicodeString &text, BreakIterator *breakiter, const UnicodeString &pattern); ~TestSearch(); void setOffset(int32_t position, UErrorCode &status); int32_t getOffset() const; SearchIterator* safeClone() const; /** * ICU "poor man's RTTI", returns a UClassID for the actual class. * * @draft ICU 2.2 */ virtual inline UClassID getDynamicClassID() const { return getStaticClassID(); } /** * ICU "poor man's RTTI", returns a UClassID for this class. * * @draft ICU 2.2 */ static inline UClassID getStaticClassID() { return (UClassID)&fgClassID; } UBool operator!=(const TestSearch &that) const; UnicodeString m_pattern_; protected: int32_t handleNext(int32_t position, UErrorCode &status); int32_t handlePrev(int32_t position, UErrorCode &status); TestSearch & operator=(const TestSearch &that); private: /** * The address of this static class variable serves as this class's ID * for ICU "poor man's RTTI". */ static const char fgClassID; uint32_t m_offset_; }; const char TestSearch::fgClassID=0; TestSearch::TestSearch(const TestSearch &obj) : SearchIterator(obj) { m_offset_ = obj.m_offset_; m_pattern_ = obj.m_pattern_; } TestSearch::TestSearch(const UnicodeString &text, BreakIterator *breakiter, const UnicodeString &pattern) : SearchIterator() { m_breakiterator_ = breakiter; m_pattern_ = pattern; m_text_ = text; m_offset_ = 0; m_pattern_ = pattern; } TestSearch::~TestSearch() { } void TestSearch::setOffset(int32_t position, UErrorCode &status) { if (position >= 0 && position <= m_text_.length()) { m_offset_ = position; } else { status = U_INDEX_OUTOFBOUNDS_ERROR; } } int32_t TestSearch::getOffset() const { return m_offset_; } SearchIterator * TestSearch::safeClone() const { return new TestSearch(m_text_, m_breakiterator_, m_pattern_); } UBool TestSearch::operator!=(const TestSearch &that) const { if (SearchIterator::operator !=(that)) { return FALSE; } return m_offset_ != that.m_offset_ || m_pattern_ != that.m_pattern_; } int32_t TestSearch::handleNext(int32_t start, UErrorCode &status) { if(U_SUCCESS(status)) { int match = m_text_.indexOf(m_pattern_, start); if (match < 0) { m_offset_ = m_text_.length(); setMatchStart(m_offset_); setMatchLength(0); return USEARCH_DONE; } setMatchStart(match); m_offset_ = match; setMatchLength(m_pattern_.length()); return match; } else { return USEARCH_DONE; } } int32_t TestSearch::handlePrev(int32_t start, UErrorCode &status) { if(U_SUCCESS(status)) { int match = m_text_.lastIndexOf(m_pattern_, 0, start); if (match < 0) { m_offset_ = 0; setMatchStart(m_offset_); setMatchLength(0); return USEARCH_DONE; } setMatchStart(match); m_offset_ = match; setMatchLength(m_pattern_.length()); return match; } else { return USEARCH_DONE; } } TestSearch & TestSearch::operator=(const TestSearch &that) { SearchIterator::operator=(that); m_offset_ = that.m_offset_; m_pattern_ = that.m_pattern_; return *this; } void StringSearchTest::TestSubclass() { UnicodeString text("abc abcd abc"); UnicodeString pattern("abc"); TestSearch search(text, NULL, pattern); TestSearch search2(search); int expected[] = {0, 4, 9}; UErrorCode status = U_ZERO_ERROR; int i; StringCharacterIterator chariter(text); search.setText(text, status); if (search.getText() != search2.getText()) { errln("Error setting text"); } search.setText(chariter, status); if (search.getText() != search2.getText()) { errln("Error setting text"); } search.reset(); // comparing constructors for (i = 0; i < (int)(sizeof(expected) / sizeof(expected[0])); i ++) { if (search.next(status) != expected[i]) { errln("Error getting next match"); } if (search.getMatchedLength() != search.m_pattern_.length()) { errln("Error getting next match length"); } } if (search.next(status) != USEARCH_DONE) { errln("Error should have reached the end of the iteration"); } for (i = sizeof(expected) / sizeof(expected[0]) - 1; i >= 0; i --) { if (search.previous(status) != expected[i]) { errln("Error getting previous match"); } if (search.getMatchedLength() != search.m_pattern_.length()) { errln("Error getting previous match length"); } } if (search.previous(status) != USEARCH_DONE) { errln("Error should have reached the start of the iteration"); } } #endif /* #if !UCONFIG_NO_COLLATION */
[ "(no author)@251d0590-4201-4cf1-90de-194747b24ca1" ]
(no author)@251d0590-4201-4cf1-90de-194747b24ca1
85a933c376472a84d95ed413e5ff7f5025b4ca10
8831a50dc27d2cfb8692237e33f08d7d3fab2120
/DoublyLinkedList/main.cpp
2d2531493d505bc02727351a80dba5121ef6e1f9
[]
no_license
Marl00n/DoublyLinkedList
29ffa37a0461495dc7ef3d5464277543206d53db
c2e6a32fcf5118517f8f76592c03f52de5adb87f
refs/heads/master
2021-07-12T01:13:30.880447
2017-10-16T20:09:04
2017-10-16T20:09:04
105,801,443
0
0
null
null
null
null
UTF-8
C++
false
false
306
cpp
// // main.cpp // DoublyLinkedList // // Created by Jakub Piatek on 04.10.2017. // Copyright © 2017 Jakub Piatek. All rights reserved. // #include <iostream> #include "List.hpp" int main(int argc, const char * argv[]) { // insert code here... std::cout << "Hello, World!\n"; return 0; }
[ "kuba@MacBook-Pro-Jakub.local" ]
kuba@MacBook-Pro-Jakub.local
f55fe8a6bf1c68a3e001630490dd1e0fae156804
711e5c8b643dd2a93fbcbada982d7ad489fb0169
/XPSP1/NT/inetsrv/iis/svcs/cmp/webdav/_xml/xatom.cpp
85ee84fac91563600d166488c285b8f802aaad42
[]
no_license
aurantst/windows-XP-SP1
629a7763c082fd04d3b881e0d32a1cfbd523b5ce
d521b6360fcff4294ae6c5651c539f1b9a6cbb49
refs/heads/master
2023-03-21T01:08:39.870106
2020-09-28T08:10:11
2020-09-28T08:10:11
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,741
cpp
/* * X A T O M . C P P * * XML atom cache * * Copyright 1986-1997 Microsoft Corporation, All Rights Reserved */ #include "_xml.h" #include <xatom.h> // CXAtomCache --------------------------------------------------------------- // CXAtomCache::CXAtomCache () : m_cache(CACHESIZE_START) { // Initialize the MRWLock // FInitialize(); // Initialize the cache // m_cache.FInit(); } // CXAtomCache::GetCachedAtom ------------------------------------------------ // LPCWSTR CXAtomCache::GetCachedAtom (CRCWszN& key) { LPCWSTR pwszCommitted; LPCWSTR* ppwsz; // First look to see if it is already there. // { CSynchronizedReadBlock (*this); ppwsz = m_cache.Lookup (key); } // If it wasn't there, do our best to add it // if (NULL == ppwsz) { CSynchronizedWriteBlock (*this); // There is a small window where it could // have shown up, so do a second quick peek // ppwsz = m_cache.Lookup (key); if (NULL == ppwsz) { // Commit the string to perm. storage // pwszCommitted = m_csb.Append (key.m_cch * sizeof(WCHAR), key.m_pwsz); // Add the atom to the cache, but before it // gets added, swap out the key's string pointer // to the committed version. // key.m_pwsz = pwszCommitted; m_cache.FAdd (key, pwszCommitted); // Setup for the return // ppwsz = &pwszCommitted; } } Assert (ppwsz); return *ppwsz; } // CXAtomCache::CacheAtom ---------------------------------------------------- // LPCWSTR CXAtomCache::CacheAtom (LPCWSTR pwsz, UINT cch) { Assert (pwsz); // Retrieve the string from the cache // CRCWszN key(pwsz, cch); return Instance().GetCachedAtom (key); }
[ "112426112@qq.com" ]
112426112@qq.com
56de36f516b0a59939aaad0f65b5329a7bb46853
7588f030cb6f5c2692c14ec3caedf9f11a312cb1
/c2j/Directive.cpp
ab00b5993bc2fc44a86ae0365c96e791d6e45b0b
[]
no_license
luoxuwei/Compiler
cceee6af426ba9d9b2f13d22fcf6e06a692953ba
d11da97ab9ef2f1a61d0244d0080c6b3f90fd475
refs/heads/master
2022-12-12T12:20:27.988873
2022-11-26T16:29:00
2022-11-26T16:29:00
252,653,543
4
2
null
null
null
null
UTF-8
C++
false
false
69
cpp
// // Created by 罗旭维 on 2021/10/31. // #include "Directive.h"
[ "xwluo@foxmail.com" ]
xwluo@foxmail.com
503d238819c54fb6cdedb27460f42ae061bf4f74
5252d04d617a940500f06ab381ca86681c00cfd6
/ml/kmeansCluster.h
fa96d7ad8408c23f3238dc4c6af2bef60058a2a5
[]
no_license
MaybeShewill-CV/machine-learning-package
bfdcc6488c449ff7e9c2a167c0bc564ffe773710
0bb9c67199ffb83e33e58cef9c35fe4392f0ebcb
refs/heads/master
2020-03-10T13:04:15.314571
2018-05-08T09:37:23
2018-05-08T09:37:23
129,391,554
2
1
null
null
null
null
UTF-8
C++
false
false
1,695
h
/************************************************ * Copyright 2014 Baidu Inc. All Rights Reserved. * Author: Luo Yao (luoyao@baidu.com) * File: kmeansCluster.h * Date: 18-4-18 下午3:26 ************************************************/ #ifndef MACHINE_LEARNING_PACKAGE_KMEANSCLUSTER_H #define MACHINE_LEARNING_PACKAGE_KMEANSCLUSTER_H #include <MLBase.h> #include <map> #include <vector> #include <cluster.h> class kmeansCluster : public MLBase { public: kmeansCluster(); ~kmeansCluster() override = default; kmeansCluster(int class_nums, double dist_threshold, DISTANCE_TYPE distance_type, int loop_times = 1000); void fit(const Eigen::MatrixXd &X, const Eigen::MatrixXd &Y) override ; void predict(const Eigen::MatrixXd &X, Eigen::MatrixXd &RET) override ; std::vector<cluster> get_cluster_vec() {return _cluster_vec;}; void test(); private: int _class_nums = 2; int _max_loop_times = 1000; double _dist_threshold = 0.0; DISTANCE_TYPE _distanceType = EUCLIDEAN; std::vector<cluster> _cluster_vec; // 预测一个实例 double predict_one_sample(const Eigen::RowVectorXd &feats); // 初始化聚类簇 void init_kmeans_cluster(const Eigen::MatrixXd &X, const Eigen::MatrixXd &Y); // 计算特征距离矩阵 Eigen::MatrixXd calculate_distance_matrix(const Eigen::MatrixXd &X); // 更新聚类簇 bool update_cluster(const Eigen::MatrixXd &X, const Eigen::MatrixXd &Y, const Eigen::MatrixXd &dist_matrix); // 计算特征向量间的距离 double calculate_distance(const Eigen::RowVectorXd &vectorXd_1, const Eigen::RowVectorXd &vectorXd_2); }; #endif //MACHINE_LEARNING_PACKAGE_KMEANSCLUSTER_H
[ "luoyao@baidu.com" ]
luoyao@baidu.com
84d5dfc4676acf40a54d3c829dc86ac0639fa40b
c52bc0de04a1551582134430625e3c975456dc9a
/ex00/Droid.cpp
a62adbef38a1de57f943e829de1247746dd1ec17
[]
no_license
Epitech-Tek2/CPPD08
b893d3f0c824768533759443b41beea213af6c65
4a75b620d4b90f379c40308d68330f397bb34d18
refs/heads/master
2023-08-24T00:26:41.482780
2021-10-17T12:10:45
2021-10-17T12:10:45
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,308
cpp
/* ** EPITECH PROJECT, 2021 ** B-CPP-300-STG-3-1-CPPD08-clement.muth ** File description: ** Droid */ #include "Droid.hpp" Droid::Droid(std::string id) noexcept : _attack(25), _toughness(15), _energy(50), _id(id), _status(new std::string("Standing by")) { std::cout << "Droid '" + _id + "' " + "Activated" << std::endl; } Droid::Droid(const Droid& droid) noexcept : _attack(droid._attack), _toughness(droid._toughness), _energy(droid._energy), _id(droid._id), _status(new std::string((droid._status) ? (*(droid._status)) : "Standing by")) { std::cout << "Droid '" + _id + "' " + "Activated, Memory Dumped" << std::endl; } Droid::~Droid() { if (_status) delete _status; std::cout << "Droid '" + _id + "' " + "Destroyed" << std::endl; } std::string Droid::getId() const noexcept { return (_id); } std::string *Droid::getStatus() const noexcept { return (_status); } size_t Droid::getAttack() const noexcept { return (_attack); } size_t Droid::getEnergy() const noexcept { return (_energy); } size_t Droid::getToughness() const noexcept { return (_toughness); } void Droid::setEnergy(size_t energy) noexcept { this->_energy = (energy > 100) ? 100 : energy; } void Droid::setId(std::string id) noexcept { this->_id = id; } void Droid::setStatus(std::string *status) noexcept { if (this->_status) delete this->_status; this->_status = status; } bool Droid::operator !=(Droid const& droid) const noexcept { return !(*this == droid); } bool Droid::operator ==(Droid const& droid) const noexcept { bool isEqual = droid._attack == _attack && droid._energy == _energy && droid._id == _id && *(droid._status) == *_status && droid._toughness == _toughness; return (isEqual); } Droid& Droid::operator =(Droid const& droid) noexcept { _id = droid._id; _energy = droid._energy; delete _status; _status = new std::string(*droid._status); return (*this); } Droid& Droid::operator<<(size_t& energy) noexcept { int tmp = 0; if (100 > this->_energy) TAKE_ENERGY(tmp, this, energy); return (*this); } std::ostream& operator<<(std::ostream& stream, Droid const& droid) noexcept { return (stream << "Droid '" + droid.getId() << "', " << (*(droid.getStatus())) << ", " << droid.getEnergy()); }
[ "clementmuth@gmail.com" ]
clementmuth@gmail.com
9ce9b7c09dc73956b0d8505d5d78b02bcb1336b6
2ea7eee88cc16ffedb88083094b76031c8a81413
/ABC/ABC178B.cpp
2ca338c6365937aca4e02590e0bc688f349ceb5e
[]
no_license
shotauedaGit/cp_practice
c6ea658f47ac84e3e4cdecf691d7cad10789133d
e2d006a6d7c392692dff9ab182e214b3f855b554
refs/heads/master
2023-01-24T10:36:08.742179
2023-01-07T05:34:26
2023-01-07T05:34:26
248,667,877
0
0
null
2020-05-07T07:38:49
2020-03-20T04:28:05
C++
UTF-8
C++
false
false
1,816
cpp
#include <bits/stdc++.h> using namespace std; #define INF 2147483647 #define LINF 9223372036854775807 #define MOD 1000000007 #define MOD2 998244353 template<class T,class U>bool chmax(T &a, const U &b){if(a<b){a=b;return 1;}return 0;} template<class T,class U>bool chmin(T &a, const U &b){if(b<a){a=b;return 1;}return 0;} #define rep(i,n) for(int i=0,_i=(n);i<_i;++i) #define rep1(i,a,b) for(int a_=(a),b_=(b),i=a_;i<b_;++i) #define repr(i,n) for(int _i=(n),i=_i;i>0;--i) #define db(x) cerr<<#x<<" = "<<x<<" "; #define db2(x,y) cerr<<"("<<#x<<", "<<#y<<") = ("<<x<<", "<<y<<") "; #define db3(x,y,z) cerr<<"("<<#x<<", "<<#y<<", "<<#z<<") = ("<<x<<", "<<y<<", "<<z<<") "; #define ln cout<<endl; #define all(a) (a).begin(),(a).end() #define dig(n) to_string(n).length() #define pb push_back #define eb emplace_back #define mp make_pair #define se second #define fi first typedef long long ll; typedef long double ld; typedef pair<int,int> P; typedef pair<int,P> iP; typedef pair<P,P> PP; ll gcd(ll a,ll b){return b?gcd(b,a%b):a;} ll lcm(ll a,ll b){return (a*b)/gcd(a,b);} int dx[4]={1,0,-1,0}; int dy[4]={0,1,0,-1}; int dx8[8] ={1,1,0,-1,-1,-1, 0, 1}; int dy8[8] ={0,1,1, 1, 0,-1,-1,-1}; chrono::system_clock::time_point start; void Timer_start(){start = std::chrono::system_clock::now();} double Timer_end(){ auto end = std::chrono::system_clock::now(); double elapsed = std::chrono::duration_cast<std::chrono::milliseconds>(end-start).count(); //処理に要した時間をミリ秒に変換 return elapsed; } int main(){ bool flag=false; ll ans=0,sum=0; ll a,b,c,d; cin>>a>>b>>c>>d; cout<<max(max(a*c,a*d),max(b*c,b*d))<<endl; //cout <<fixed<<setprecision(16)<< << endl; //if(flag)cout << "Yes" <<endl; //else cout << "No" <<endl; return 0; }
[ "shota.ueda.ak@gmail.com" ]
shota.ueda.ak@gmail.com
f061c9943b5890c335f6646ac144ffcfbf9974b7
decd67d133659ad03e0b8ba2ce3b75042a8a6275
/Sidious/src/main/include/Robot.h
1c9660605adbc5d7bbf63b0f0d1282a009894f9f
[]
no_license
SteelRidgeRobotics/2021Build
7e5fe0f2caa608cdde476046e3d90b20f57a146e
9f10527e245532595d6c1376427f68de095b47d9
refs/heads/master
2023-05-11T23:43:53.476740
2021-05-26T18:37:47
2021-05-26T18:37:47
371,134,365
0
0
null
null
null
null
UTF-8
C++
false
false
2,055
h
// RobotBuilder Version: 2.0 // // This file was generated by RobotBuilder. It contains sections of // code that are automatically generated and assigned by robotbuilder. // These sections will be updated in the future when you export to // C++ from RobotBuilder. Do not put any code or make any change in // the blocks indicating autogenerated code or it will be lost on an // update. Deleting the comments indicating the section will prevent // it from being updated in the future. #pragma once #include "frc/TimedRobot.h" #include "frc/commands/Command.h" #include "frc/livewindow/LiveWindow.h" #include "frc/smartdashboard/SendableChooser.h" #include "cameraserver/CameraServer.h" // BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=INCLUDES #include "Commands/AutoTimedCommand.h" #include "Commands/EncoderDrive.h" #include "Commands/AutonomousCommandGroup.h" #include "Subsystems/Climber.h" #include "Subsystems/Conveyor.h" #include "Subsystems/Drivetrain.h" #include "Subsystems/Intake.h" #include "Subsystems/Shooter.h" #include "Subsystems/Spinner.h" #include "Subsystems/Vision.h" // END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=INCLUDES #include "OI.h" class Robot : public frc::TimedRobot { public: frc::Command* autonomousCommand = nullptr; static std::unique_ptr<OI> oi; frc::LiveWindow *lw = frc::LiveWindow::GetInstance(); frc::SendableChooser<frc::Command*> chooser; // BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=DECLARATIONS static std::shared_ptr<Drivetrain> drivetrain; static std::shared_ptr<Intake> intake; static std::shared_ptr<Shooter> shooter; static std::shared_ptr<Spinner> spinner; static std::shared_ptr<Climber> climber; static std::shared_ptr<Vision> vision; static std::shared_ptr<Conveyor> conveyor; // END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=DECLARATIONS void RobotInit() override; void DisabledInit() override; void DisabledPeriodic() override; void AutonomousInit() override; void AutonomousPeriodic() override; void TeleopInit() override; void TeleopPeriodic() override; };
[ "Nerf12402@users.noreply.github.com" ]
Nerf12402@users.noreply.github.com
deb05b69b8065c9a5b1a191f5286da14aa800974
069b6c1e4e5a445235f49417ade6e5c3f79bb58d
/branches/2.2x/client/AdcCommand.cpp
73035c01b8fba22bb4e8c17b15c01e10757a937c
[]
no_license
BackupTheBerlios/airdc-svn
65a99494d5267ecb2ad96f21ead0299e7811131c
17236498160afe8dc317bb75db374be8234eb541
refs/heads/master
2021-01-01T17:56:34.167869
2013-10-16T13:01:20
2013-10-16T13:01:20
40,718,655
0
0
null
null
null
null
UTF-8
C++
false
false
7,227
cpp
/* * Copyright (C) 2001-2011 Jacek Sieka, arnetheduck on gmail point com * * 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., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. */ #include "stdinc.h" #include "AdcCommand.h" #include "ClientManager.h" namespace dcpp { AdcCommand::AdcCommand(uint32_t aCmd, char aType /* = TYPE_CLIENT */) : cmdInt(aCmd), from(0), type(aType) { } AdcCommand::AdcCommand(uint32_t aCmd, const uint32_t aTarget, char aType) : cmdInt(aCmd), from(0), to(aTarget), type(aType) { } AdcCommand::AdcCommand(Severity sev, Error err, const string& desc, char aType /* = TYPE_CLIENT */) : cmdInt(CMD_STA), from(0), type(aType) { addParam((sev == SEV_SUCCESS && err == SUCCESS) ? "000" : Util::toString(sev * 100 + err)); addParam(desc); } AdcCommand::AdcCommand(const string& aLine, bool nmdc /* = false */) : cmdInt(0), type(TYPE_CLIENT) { parse(aLine, nmdc); } void AdcCommand::parse(const string& aLine, bool nmdc /* = false */) { string::size_type i = 5; if(nmdc) { // "$ADCxxx ..." if(aLine.length() < 7) throw ParseException("Too short"); type = TYPE_CLIENT; cmd[0] = aLine[4]; cmd[1] = aLine[5]; cmd[2] = aLine[6]; i += 3; } else { // "yxxx ..." if(aLine.length() < 4) throw ParseException("Too short"); type = aLine[0]; cmd[0] = aLine[1]; cmd[1] = aLine[2]; cmd[2] = aLine[3]; } if(type != TYPE_BROADCAST && type != TYPE_CLIENT && type != TYPE_DIRECT && type != TYPE_ECHO && type != TYPE_FEATURE && type != TYPE_INFO && type != TYPE_HUB && type != TYPE_UDP) { throw ParseException("Invalid type"); } if(type == TYPE_INFO) { from = HUB_SID; } string::size_type len = aLine.length(); const char* buf = aLine.c_str(); string cur; cur.reserve(128); bool toSet = false; bool featureSet = false; bool fromSet = nmdc; // $ADCxxx never have a from CID... while(i < len) { switch(buf[i]) { case '\\': ++i; if(i == len) throw ParseException("Escape at eol"); if(buf[i] == 's') cur += ' '; else if(buf[i] == 'n') cur += '\n'; else if(buf[i] == '\\') cur += '\\'; else if(buf[i] == ' ' && nmdc) // $ADCGET escaping, leftover from old specs cur += ' '; else throw ParseException("Unknown escape"); break; case ' ': // New parameter... { if((type == TYPE_BROADCAST || type == TYPE_DIRECT || type == TYPE_ECHO || type == TYPE_FEATURE) && !fromSet) { if(cur.length() != 4) { throw ParseException("Invalid SID length"); } from = toSID(cur); fromSet = true; } else if((type == TYPE_DIRECT || type == TYPE_ECHO) && !toSet) { if(cur.length() != 4) { throw ParseException("Invalid SID length"); } to = toSID(cur); toSet = true; } else if(type == TYPE_FEATURE && !featureSet) { if(cur.length() % 5 != 0) { throw ParseException("Invalid feature length"); } // Skip... featureSet = true; } else { parameters.push_back(cur); } cur.clear(); } break; default: cur += buf[i]; } ++i; } if(!cur.empty()) { if((type == TYPE_BROADCAST || type == TYPE_DIRECT || type == TYPE_ECHO || type == TYPE_FEATURE) && !fromSet) { if(cur.length() != 4) { throw ParseException("Invalid SID length"); } from = toSID(cur); fromSet = true; } else if((type == TYPE_DIRECT || type == TYPE_ECHO) && !toSet) { if(cur.length() != 4) { throw ParseException("Invalid SID length"); } to = toSID(cur); toSet = true; } else if(type == TYPE_FEATURE && !featureSet) { if(cur.length() % 5 != 0) { throw ParseException("Invalid feature length"); } // Skip... featureSet = true; } else { parameters.push_back(cur); } } if((type == TYPE_BROADCAST || type == TYPE_DIRECT || type == TYPE_ECHO || type == TYPE_FEATURE) && !fromSet) { throw ParseException("Missing from_sid"); } if(type == TYPE_FEATURE && !featureSet) { throw ParseException("Missing feature"); } if((type == TYPE_DIRECT || type == TYPE_ECHO) && !toSet) { throw ParseException("Missing to_sid"); } } string AdcCommand::toString(const CID& aCID) const { return getHeaderString(aCID) + getParamString(false); } string AdcCommand::toString(uint32_t sid /* = 0 */, bool nmdc /* = false */) const { return getHeaderString(sid, nmdc) + getParamString(nmdc); } string AdcCommand::escape(const string& str, bool old) { string tmp = str; string::size_type i = 0; while( (i = tmp.find_first_of(" \n\\", i)) != string::npos) { if(old) { tmp.insert(i, "\\"); } else { switch(tmp[i]) { case ' ': tmp.replace(i, 1, "\\s"); break; case '\n': tmp.replace(i, 1, "\\n"); break; case '\\': tmp.replace(i, 1, "\\\\"); break; } } i+=2; } return tmp; } string AdcCommand::getHeaderString(uint32_t sid, bool nmdc) const { string tmp; if(nmdc) { tmp += "$ADC"; } else { tmp += getType(); } tmp += cmdChar; if(type == TYPE_BROADCAST || type == TYPE_DIRECT || type == TYPE_ECHO || type == TYPE_FEATURE) { tmp += ' '; tmp += fromSID(sid); } if(type == TYPE_DIRECT || type == TYPE_ECHO) { tmp += ' '; tmp += fromSID(to); } if(type == TYPE_FEATURE) { tmp += ' '; tmp += features; } return tmp; } string AdcCommand::getHeaderString(const CID& cid) const { dcassert(type == TYPE_UDP); string tmp; tmp += getType(); tmp += cmdChar; tmp += ' '; tmp += cid.toBase32(); return tmp; } string AdcCommand::getParamString(bool nmdc) const { string tmp; for(StringIterC i = getParameters().begin(); i != getParameters().end(); ++i) { tmp += ' '; tmp += escape(*i, nmdc); } if(nmdc) { tmp += '|'; } else { tmp += '\n'; } return tmp; } bool AdcCommand::getParam(const char* name, size_t start, string& ret) const { for(string::size_type i = start; i < getParameters().size(); ++i) { if(toCode(name) == toCode(getParameters()[i].c_str())) { ret = getParameters()[i].substr(2); return true; } } return false; } bool AdcCommand::hasFlag(const char* name, size_t start) const { for(string::size_type i = start; i < getParameters().size(); ++i) { if(toCode(name) == toCode(getParameters()[i].c_str()) && getParameters()[i].size() == 3 && getParameters()[i][2] == '1') { return true; } } return false; } } // namespace dcpp /** * @file * $Id: AdcCommand.cpp 568 2011-07-24 18:28:43Z bigmuscle $ */
[ "maksis@d6773c42-f83c-be49-aa62-2d473f764b1f" ]
maksis@d6773c42-f83c-be49-aa62-2d473f764b1f
83bbd5c43276fc931f118d1dfe1e160845cc3eac
aa3013c8a2020e02c30ee60f706177a2a75b7e97
/fibheapdijkstra.h
a645a052574d7bbbb734b88f31b33a6ca8be765d
[]
no_license
S74nk0/-FibonacciHeapsDiploma
55ab93bd72c9789df9ce9f71975df1d81c3b85c1
50d8d13d58416dca74d9ced4d72efd64d9f6a817
refs/heads/master
2021-01-23T19:45:11.295804
2013-06-07T09:30:31
2013-06-07T09:30:31
null
0
0
null
null
null
null
UTF-8
C++
false
false
191
h
#ifndef FIBHEAPDIJKSTRA_H #define FIBHEAPDIJKSTRA_H #include "fibheapbasetemplate.h" #include "dfnode.h" class FibHeapDijkstra : public FibHeapBase<DFNode> {}; #endif // FIBHEAPDIJKSTRA_H
[ "krsticch@gmail.com" ]
krsticch@gmail.com
e7847cbb3d7f8e178a8f622c0bcacac26c83865c
a3ed36263839b2c50f39773f6c8c0b8780b0ee30
/706. Design HashMap.cpp
758aeb8729d3c50b90807f78ba4ea23933543cb4
[]
no_license
ysyncby/Leetcode
52c0556f509a4dc157527c160c595d4cb72899ce
775836d0d91eb08d376220796b09b401199bbcd6
refs/heads/master
2021-05-27T02:40:05.682917
2019-10-31T03:02:05
2019-10-31T03:02:05
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,765
cpp
class MyHashMap { const int MAX_SIZE=9999; typedef list<pair<int,int> > LIST; vector<LIST> mArr; private: int hashFunc(int key) { return key; } public: /** Initialize your data structure here. */ MyHashMap() { mArr.resize(MAX_SIZE); } list<pair<int,int> >::iterator GetIter(const int &key, const int &hashedKey){ LIST &l = mArr[hashedKey]; for(LIST::iterator i = l.begin(); i!=l.end(); i++) { if(i->first == key) { return i; } } return l.end(); } /** value will always be non-negative. */ void put(int key, int value) { int hashedKey = hashFunc(key) % MAX_SIZE; LIST::iterator i = GetIter(key,hashedKey); if(i != mArr[hashedKey].end()) i->second = value; else mArr[hashedKey].push_back(make_pair(key,value)); } /** Returns the value to which the specified key is mapped, or -1 if this map contains no mapping for the key */ int get(int key) { int hashedKey = hashFunc(key) % MAX_SIZE; LIST::iterator i = GetIter(key,hashedKey); if(i != mArr[hashedKey].end()) return i->second; return -1; } /** Removes the mapping of the specified value key if this map contains a mapping for the key */ void remove(int key) { int hashedKey = hashFunc(key) % MAX_SIZE; LIST::iterator i = GetIter(key,hashedKey); if(i != mArr[hashedKey].end()) mArr[hashedKey].erase(i); } }; /** * Your MyHashMap object will be instantiated and called as such: * MyHashMap* obj = new MyHashMap(); * obj->put(key,value); * int param_2 = obj->get(key); * obj->remove(key); */
[ "879090429@qq.com" ]
879090429@qq.com
0ad73140ae9d28a4cdf4d0d0323d711fce7579c0
5743077502c2ab293905c7533fe9774576773ebe
/src/common/beast/beast/threads/Stoppable.h
04e7549c44bf42864fe4747f9c605ba93f98ea37
[ "ISC", "BSL-1.0", "MIT" ]
permissive
hawx1993/truechain-testnet-core
3056b07dc1d39dc9277d1d2960c7c23db39bbf9c
a75edfe83562b3764fb3140144bc41943ebb995a
refs/heads/master
2021-01-24T19:08:55.033847
2018-02-28T06:31:48
2018-02-28T06:31:48
123,239,490
1
0
MIT
2018-02-28T06:21:53
2018-02-28T06:21:53
null
UTF-8
C++
false
false
11,986
h
//------------------------------------------------------------------------------ /* This file is part of Beast: https://github.com/vinniefalco/Beast Copyright 2013, Vinnie Falco <vinnie.falco@gmail.com> Permission to use, copy, modify, and/or distribute this software for any purpose with or without fee is hereby granted, provided that the above copyright notice and this permission notice appear in all copies. THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR ANY SPECIAL , DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. */ //============================================================================== #ifndef BEAST_THREADS_STOPPABLE_H_INCLUDED #define BEAST_THREADS_STOPPABLE_H_INCLUDED #include <beast/intrusive/LockFreeStack.h> #include <beast/utility/Journal.h> #include <beast/threads/WaitableEvent.h> #include <beast/unit_test/suite.h> #include <atomic> namespace beast { class RootStoppable; /** Provides an interface for starting and stopping. A common method of structuring server or peer to peer code is to isolate conceptual portions of functionality into individual classes, aggregated into some larger "application" or "core" object which holds all the parts. Frequently, these components are dependent on each other in unavoidably complex ways. They also often use threads and perform asynchronous i/o operations involving sockets or other operating system objects. The process of starting and stopping such a system can be complex. This interface provides a set of behaviors for ensuring that the start and stop of a composite application-style object is well defined. Upon the initialization of the composite object these steps are peformed: 1. Construct sub-components. These are all typically derived from Stoppable. There can be a deep hierarchy: Stoppable objects may themselves have Stoppable child objects. This captures the relationship of dependencies. 2. prepare() Because some components may depend on others, preparatory steps require that all objects be first constructed. The prepare step calls all Stoppable objects in the tree starting from the leaves and working up to the root. In this stage we are guaranteed that all objects have been constructed and are in a well-defined state. 3. onPrepare() This override is called for all Stoppable objects in the hierarchy during the prepare stage. It is guaranteed that all child Stoppable objects have already been prepared when this is called. Objects are called children first. 4. start() At this point all sub-components have been constructed and prepared, so it should be safe for them to be started. While some Stoppable objects may do nothing in their start function, others will start threads or call asynchronous i/o initiating functions like timers or sockets. 5. onStart() This override is called for all Stoppable objects in the hierarchy during the start stage. It is guaranteed that no child Stoppable objects have been started when this is called. Objects are called parent first. This is the sequence of events involved in stopping: 6. stopAsync() [optional] This notifies the root Stoppable and all its children that a stop is requested. 7. stop() This first calls stopAsync(), and then blocks on each child Stoppable in the in the tree from the bottom up, until the Stoppable indicates it has stopped. This will usually be called from the main thread of execution when some external signal indicates that the process should stop. For example, an RPC 'stop' command, or a SIGINT POSIX signal. 8. onStop() This override is called for the root Stoppable and all its children when stopAsync() is called. Derived classes should cancel pending I/O and timers, signal that threads should exit, queue cleanup jobs, and perform any other necessary final actions in preparation for exit. Objects are called parent first. 9. onChildrenStopped() This override is called when all the children have stopped. This informs the Stoppable that there should not be any more dependents making calls into its member functions. A Stoppable that has no children will still have this function called. Objects are called children first. 10. stopped() The derived class calls this function to inform the Stoppable API that it has completed the stop. This unblocks the caller of stop(). For stoppables which are only considered stopped when all of their children have stopped, and their own internal logic indicates a stop, it will be necessary to perform special actions in onChildrenStopped(). The funtion areChildrenStopped() can be used after children have stopped, but before the Stoppable logic itself has stopped, to determine if the stoppable's logic is a true stop. Pseudo code for this process is as follows: @code // Returns `true` if derived logic has stopped. // // When the logic stops, logicProcessingStop() is no longer called. // If children are still active we need to wait until we get a // notification that the children have stopped. // bool logicHasStopped (); // Called when children have stopped void onChildrenStopped () { // We have stopped when the derived logic stops and children stop. if (logicHasStopped) stopped(); } // derived-specific logic that executes periodically void logicProcessingStep () { // process // ... // now see if we've stopped if (logicHasStopped() && areChildrenStopped()) stopped(); } @endcode Derived class that manage one or more threads should typically notify those threads in onStop that they should exit. In the thread function, when the last thread is about to exit it would call stopped(). @note A Stoppable may not be restarted. */ /** @{ */ class Stoppable { protected: Stoppable (char const* name, RootStoppable& root); public: /** Create the Stoppable. */ Stoppable (char const* name, Stoppable& parent); /** Destroy the Stoppable. */ virtual ~Stoppable (); /** Returns `true` if the stoppable should stop. */ bool isStopping () const; /** Returns `true` if the requested stop has completed. */ bool isStopped () const; /** Returns `true` if all children have stopped. */ bool areChildrenStopped () const; protected: /** Called by derived classes to indicate that the stoppable has stopped. */ void stopped (); private: /** Override called during preparation. Since all other Stoppable objects in the tree have already been constructed, this provides an opportunity to perform initialization which depends on calling into other Stoppable objects. This call is made on the same thread that called prepare(). The default implementation does nothing. Guaranteed to only be called once. */ virtual void onPrepare (); /** Override called during start. */ virtual void onStart (); /** Override called when the stop notification is issued. The call is made on an unspecified, implementation-specific thread. onStop and onChildrenStopped will never be called concurrently, across all Stoppable objects descended from the same root, inclusive of the root. It is safe to call isStopping, isStopped, and areChildrenStopped from within this function; The values returned will always be valid and never change during the callback. The default implementation simply calls stopped(). This is applicable when the Stoppable has a trivial stop operation (or no stop operation), and we are merely using the Stoppable API to position it as a dependency of some parent service. Thread safety: May not block for long periods. Guaranteed only to be called once. Must be safe to call from any thread at any time. */ virtual void onStop (); /** Override called when all children have stopped. The call is made on an unspecified, implementation-specific thread. onStop and onChildrenStopped will never be called concurrently, across all Stoppable objects descended from the same root, inclusive of the root. It is safe to call isStopping, isStopped, and areChildrenStopped from within this function; The values returned will always be valid and never change during the callback. The default implementation does nothing. Thread safety: May not block for long periods. Guaranteed only to be called once. Must be safe to call from any thread at any time. */ virtual void onChildrenStopped (); friend class RootStoppable; struct Child; typedef LockFreeStack <Child> Children; struct Child : Children::Node { Child (Stoppable* stoppable_) : stoppable (stoppable_) { } Stoppable* stoppable; }; void prepareRecursive (); void startRecursive (); void stopAsyncRecursive (); void stopRecursive (Journal journal); std::string m_name; RootStoppable& m_root; Child m_child; std::atomic<bool> m_started; std::atomic<bool> m_stopped; std::atomic<bool> m_childrenStopped; Children m_children; WaitableEvent m_stoppedEvent; }; //------------------------------------------------------------------------------ class RootStoppable : public Stoppable { public: explicit RootStoppable (char const* name); ~RootStoppable () = default; bool isStopping() const; /** Prepare all contained Stoppable objects. This calls onPrepare for all Stoppable objects in the tree. Calls made after the first have no effect. Thread safety: May be called from any thread. */ void prepare (); /** Start all contained Stoppable objects. The default implementation does nothing. Calls made after the first have no effect. Thread safety: May be called from any thread. */ void start (); /** Notify a root stoppable and children to stop, and block until stopped. Has no effect if the stoppable was already notified. This blocks until the stoppable and all of its children have stopped. Undefined behavior results if stop() is called without a previous call to start(). Thread safety: Safe to call from any thread not associated with a Stoppable. */ void stop (Journal journal = Journal()); private: /** Notify a root stoppable and children to stop, without waiting. Has no effect if the stoppable was already notified. Thread safety: Safe to call from any thread at any time. */ void stopAsync (); std::atomic<bool> m_prepared; std::atomic<bool> m_calledStop; std::atomic<bool> m_calledStopAsync; }; /** @} */ } #endif
[ "archit@protonmail.ch" ]
archit@protonmail.ch
0356e710f7c57e4c7539f1293f9f83cb0fc518dd
7f73bb7c35e2d8f5fef33499856eff5d05c90cd5
/libs/cinder/src/cinder/Display.cpp
234b4e9b711499b0f0d9bb59065c04c54bf0e33c
[]
no_license
var-const/azureland
9446840415927371edf53ea563050b84b7c11a92
92b45caffd5dc50c4f993502d5f3dc183f2c859d
refs/heads/master
2021-01-23T07:20:57.088522
2015-10-12T03:08:17
2015-10-12T03:08:17
40,819,741
0
0
null
null
null
null
UTF-8
C++
false
false
8,857
cpp
/* Copyright (c) 2010, The Barbarian Group All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. */ #include "cinder/Display.h" #include <map> using namespace std; #if defined( CINDER_MAC ) #include <Cocoa/Cocoa.h> #elif defined( CINDER_COCOA_TOUCH ) #include <UIKit/UIKit.h> #endif namespace cinder { std::vector<DisplayRef > Display::sDisplays; bool Display::sDisplaysInitialized = false; Display::~Display() { #if defined( CINDER_MAC ) [mScreen release]; #elif defined( CINDER_COCOA_TOUCH ) [mUiScreen release]; #endif } const vector<DisplayRef>& Display::getDisplays() { enumerateDisplays(); return sDisplays; } DisplayRef Display::getDisplayForPoint( const Vec2i &pt ) { const vector<DisplayRef>& displays = getDisplays(); for( vector<DisplayRef>::const_iterator displayIt = displays.begin(); displayIt != displays.end(); ++displayIt ) { if( (*displayIt)->contains( pt ) ) return *displayIt; } return DisplayRef(); // failure } Area Display::getSpanningArea() { Area result = (*Display::getDisplays().begin())->getBounds(); for( vector<DisplayRef>::const_iterator displayIt = (Display::getDisplays().begin())++; displayIt != Display::getDisplays().end(); ++displayIt ) { result.include( (*displayIt)->getBounds() ); } return result; } #if defined( CINDER_MAC ) DisplayRef Display::findFromCgDirectDisplayId( CGDirectDisplayID displayID ) { for( vector<DisplayRef >::iterator dispIt = sDisplays.begin(); dispIt != sDisplays.end(); ++dispIt ) if( (*dispIt)->getCgDirectDisplayId() == displayID ) return *dispIt; // force refresh since we didn't find it sDisplaysInitialized = false; sDisplays.clear(); enumerateDisplays(); // and try again for( vector<DisplayRef >::iterator dispIt = sDisplays.begin(); dispIt != sDisplays.end(); ++dispIt ) if( (*dispIt)->getCgDirectDisplayId() == displayID ) return *dispIt; // couldn't find it, so return 0 return DisplayRef(); } DisplayRef Display::findFromNsScreen( NSScreen *nsScreen ) { return findFromCgDirectDisplayId( (CGDirectDisplayID)[[[nsScreen deviceDescription] objectForKey:@"NSScreenNumber"] intValue] ); } void Display::enumerateDisplays() { if( sDisplaysInitialized ) return; // since this can be called from very early on, we can't gaurantee there's an autorelease pool yet NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; NSArray *screens = [NSScreen screens]; Area primaryScreenArea; int screenCount = [screens count]; for( int i = 0; i < screenCount; ++i ) { ::NSScreen *screen = [screens objectAtIndex:i]; [screen retain]; // this is released in the destructor for Display NSRect frame = [screen frame]; DisplayRef newDisplay = DisplayRef( new Display ); newDisplay->mArea = Area( frame.origin.x, frame.origin.y, frame.origin.x + frame.size.width, frame.origin.y + frame.size.height ); newDisplay->mDirectDisplayID = (CGDirectDisplayID)[[[screen deviceDescription] objectForKey:@"NSScreenNumber"] intValue]; newDisplay->mScreen = screen; newDisplay->mBitsPerPixel = NSBitsPerPixelFromDepth( [screen depth] ); newDisplay->mContentScale = [screen backingScaleFactor]; // The Mac measures screens relative to the lower-left corner of the primary display. We need to correct for this if( i == 0 ) { primaryScreenArea = newDisplay->mArea; } else { int heightDelta = primaryScreenArea.getHeight() - newDisplay->mArea.getHeight(); newDisplay->mArea.offset( Vec2i( 0, heightDelta ) ); } sDisplays.push_back( newDisplay ); } sDisplaysInitialized = true; [pool drain]; } #elif defined( CINDER_COCOA_TOUCH ) void Display::enumerateDisplays() { if( sDisplaysInitialized ) return; // since this can be called from very early on, we can't gaurantee there's an autorelease pool yet NSAutoreleasePool *pool = [[NSAutoreleasePool alloc] init]; NSArray *screens = [UIScreen screens]; int screenCount = [screens count]; for( int i = 0; i < screenCount; ++i ) { ::UIScreen *screen = [screens objectAtIndex:i]; [screen retain]; // this is released in the destructor for Display CGRect frame = [screen bounds]; DisplayRef newDisplay = DisplayRef( new Display ); newDisplay->mArea = Area( frame.origin.x, frame.origin.y, frame.origin.x + frame.size.width, frame.origin.y + frame.size.height ); newDisplay->mUiScreen = screen; newDisplay->mBitsPerPixel = 24; newDisplay->mContentScale = screen.scale; NSArray *resolutions = [screen availableModes]; for( int i = 0; i < [resolutions count]; ++i ) { ::UIScreenMode *mode = [resolutions objectAtIndex:i]; newDisplay->mSupportedResolutions.push_back( Vec2i( (int32_t)mode.size.width, (int32_t)mode.size.height ) ); } sDisplays.push_back( newDisplay ); } sDisplaysInitialized = true; [pool release]; } //! Sets the resolution of the Display. Rounds to the nearest supported resolution. void Display::setResolution( const Vec2i &resolution ) { NSArray *modes = [mUiScreen availableModes]; int closestIndex = 0; float closestDistance = 1000000.0f; // big distance for( int i = 0; i < [modes count]; ++i ) { ::UIScreenMode *mode = [modes objectAtIndex:i]; Vec2i thisModeRes = Vec2f( mode.size.width, mode.size.height ); if( thisModeRes.distance( resolution ) < closestDistance ) { closestDistance = thisModeRes.distance( resolution ); closestIndex = i; } } mUiScreen.currentMode = [modes objectAtIndex:closestIndex]; } #elif defined( CINDER_MSW ) DisplayRef Display::findFromHmonitor( HMONITOR hMonitor ) { const vector<DisplayRef>& displays = getDisplays(); for( vector<DisplayRef>::const_iterator displayIt = displays.begin(); displayIt != displays.end(); ++displayIt ) if( (*displayIt)->mMonitor == hMonitor ) return *displayIt; return getMainDisplay(); // failure } BOOL CALLBACK Display::enumMonitorProc( HMONITOR hMonitor, HDC hdc, LPRECT rect, LPARAM lParam ) { vector<DisplayRef > *displaysVector = reinterpret_cast<vector<DisplayRef >*>( lParam ); DisplayRef newDisplay( new Display ); newDisplay->mArea = Area( rect->left, rect->top, rect->right, rect->bottom ); newDisplay->mMonitor = hMonitor; newDisplay->mContentScale = 1.0f; // retrieve the depth of the display MONITORINFOEX mix; memset( &mix, 0, sizeof( MONITORINFOEX ) ); mix.cbSize = sizeof( MONITORINFOEX ); HDC hMonitorDC = CreateDC( TEXT("DISPLAY"), mix.szDevice, NULL, NULL ); if (hMonitorDC) { newDisplay->mBitsPerPixel = ::GetDeviceCaps( hMonitorDC, BITSPIXEL ); ::DeleteDC( hMonitorDC ); } displaysVector->push_back( newDisplay ); return TRUE; } void Display::enumerateDisplays() { if( sDisplaysInitialized ) return; ::EnumDisplayMonitors( NULL, NULL, enumMonitorProc, (LPARAM)&sDisplays ); // ensure that the primary display is sDisplay[0] const POINT ptZero = { 0, 0 }; HMONITOR primMon = MonitorFromPoint( ptZero, MONITOR_DEFAULTTOPRIMARY ); size_t m; for( m = 0; m < sDisplays.size(); ++m ) if( sDisplays[m]->mMonitor == primMon ) break; if( ( m != 0 ) && ( m < sDisplays.size() ) ) std::swap( sDisplays[0], sDisplays[m] ); sDisplaysInitialized = true; } #endif // defined( CINDER_MSW ) Vec2i Display::getSystemCoordinate( const Vec2i &displayRelativeCoordinate ) const { return mArea.getUL() + displayRelativeCoordinate; } DisplayRef Display::getMainDisplay() { enumerateDisplays(); return sDisplays[0]; } } // namespace cinder
[ "devnull@localhost" ]
devnull@localhost
00e488d61928d27b50f2f73f7ca88d15f4bd991a
42995a233d3ed01d26de1a4457ba3b5c143d5dbb
/main.cpp
7a2b28273a34621ad0ddcda96237387febc22a70
[]
no_license
hillarykoch/lemon_practice
110c73375c89049011b91e265eb0e24585c2f4b9
bd966ff7180a5ce5b58404bba7f79121165186e6
refs/heads/master
2020-03-28T18:03:18.938364
2018-09-19T22:09:51
2018-09-19T22:09:51
148,848,538
0
0
null
null
null
null
UTF-8
C++
false
false
1,623
cpp
#include <iostream> #include <lemon/list_graph.h> #include <lemon/lgf_reader.h> #include <lemon/dfs.h> #include <lemon/adaptors.h> #include "pathenumeration.h" #include "findPath.h" using namespace lemon; using namespace std; int main() { ListDigraph gr; ListDigraph::NodeMap<int> dim(gr); ListDigraph::NodeMap<int> label(gr); Dfs<ListDigraph> dfs(gr); ListDigraph::ArcMap<bool> filter(gr); ListDigraph::Node src; ListDigraph::Node trg; ListDigraph::Node curr_node; std::vector<int> all_paths; // instantiate a resizable vector to contain all paths // Read in Directed Graph from lgf.txt // "attributes" source and target are declared to be nodes and named src and trg // dim gives which "layer" the given node lies in digraphReader(gr, "lgf.txt") .nodeMap("label", label) .nodeMap("dim", dim) .node("source", src) .node("target", trg) .run(); ListDigraph::NodeMap<int> layer(gr); for(ListDigraph::NodeIt u(gr); u != INVALID; ++u) { layer[u] = dim[u]; } int d = dim[trg]-1; // Enumerate all paths using DFS and backtracking int num_paths = 0; // when not 0, enter a different section of "findPath" function PathEnumeration enumeration(gr, src, trg); // findPath2(gr, src, trg, enumeration, d, num_paths, all_paths, filter, curr_node); findPath(gr, src, trg, enumeration, d, num_paths, all_paths, filter, curr_node, layer); cout << "finished! these are the paths:" << endl; for(int i = 0; i < all_paths.size(); i++){ cout << all_paths[i] << endl; } return 0; }
[ "hillary.koch01@gmail.com" ]
hillary.koch01@gmail.com
04a24588fc257e1d76920527a575d6d64a165593
820ca0fce88f15ffc86c7f898f85f59c926aeb3e
/faceTrack/face-tracking/face-tracking/src/layer/embed.h
350b3bb0721277c77a05466365faf29ff3af156b
[ "MIT" ]
permissive
ForrestPi/FaceSolution
b53fb4ae10b3c815756761e031b0fa38f41bf3ff
cf19b2916a8bf285e457903e8d202055b092fc73
refs/heads/master
2022-04-04T08:49:20.689884
2020-02-22T08:28:30
2020-02-22T08:28:30
218,427,840
1
0
null
null
null
null
UTF-8
C++
false
false
1,246
h
// Tencent is pleased to support the open source community by making ncnn available. // // Copyright (C) 2017 THL A29 Limited, a Tencent company. All rights reserved. // // Licensed under the BSD 3-Clause License (the "License"); you may not use this file except // in compliance with the License. You may obtain a copy of the License at // // https://opensource.org/licenses/BSD-3-Clause // // 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 LAYER_EMBED_H #define LAYER_EMBED_H #include "../layer.h" namespace ncnn { class Embed : public Layer { public: Embed(); virtual int load_param(const ParamDict& pd); virtual int load_model(const ModelBin& mb); virtual int forward(const Mat& bottom_blob, Mat& top_blob, const Option& opt) const; public: // param int num_output; int input_dim; int bias_term; int weight_data_size; // model Mat weight_data; Mat bias_data; }; } // namespace ncnn #endif // LAYER_EMBED_H
[ "forrest_zhu@foxmail.com" ]
forrest_zhu@foxmail.com
2d7fd0ce738d876d88e759b600186133e8ed2550
87e919aab243eed7130eda3c74a59f2e8c308054
/drawpages/drawdateandhour.h
f76024b97a012fca61f29ca65d2436f5c923f620
[]
no_license
lml1010402004/Qt_Launceher2.0
7cff8db5345afb41df8a011f711a3eaa8bf71232
ac2ebeed86a80bd1cb60ad0e97764fbcda05b344
refs/heads/master
2020-03-27T03:09:57.487813
2018-09-04T05:57:33
2018-09-04T05:57:33
145,842,820
1
0
null
null
null
null
UTF-8
C++
false
false
501
h
#ifndef DRAWDATEANDHOUR_H #define DRAWDATEANDHOUR_H #include<QRect> #include<QPainter> class DrawDateandHour { public: DrawDateandHour(); ~DrawDateandHour(); void drawConfirmandCancleButton(QPainter *painter, QRect confirmrect,QRect canclerect); void drawLeftInputArea(QPainter *painter ,QRect rect); void drawRightInputArea(QPainter *painter,QRect rect); void drawTitle(QPainter *painter,QString title,QRect rect); private: QRect rect; }; #endif // DRAWDATEANDHOUR_H
[ "jackgpsstandard@126.com" ]
jackgpsstandard@126.com
295bbc11604a5ee9addfa435b477860125828f74
5bb3a620c66749e0ce3dfbd0cd8692d40928dbf3
/arduino/libraries/Temboo/src/utility/ChoreoInputFormatter.h
f5b676a7cd0e13be2b837a7d2130957463221492
[ "EPL-1.0", "BSD-3-Clause", "Apache-2.0", "LicenseRef-scancode-unknown-license-reference", "MIT" ]
permissive
wyolum/ClockIOT
6ce2a4605435f27e8d7eca4c2f219e97c5966cc5
52a1bf8e1acc3a5ad8314211ef3bc23186b3be89
refs/heads/master
2022-12-12T22:18:05.952206
2020-02-05T17:32:22
2020-02-05T17:32:22
126,251,414
5
2
MIT
2022-12-10T12:46:21
2018-03-21T23:10:27
C
UTF-8
C++
false
false
1,547
h
/* ############################################################################### # # Temboo Arduino library # # Copyright 2017, Temboo 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 CHOREOINPUTFORMATTER_H_ #define CHOREOINPUTFORMATTER_H_ #include "TembooGlobal.h" #include "BaseFormatter.h" #include "ChoreoInputSet.h" class ChoreoInputFormatter : public BaseFormatter { public: ChoreoInputFormatter(const ChoreoInputSet* inputSet); bool hasNext(); char next(); void reset(); protected: const ChoreoInputSet* m_inputSet; const ChoreoInput* m_currentInput; enum State { START, INPUTS_TAG, NAME_START, NAME, NAME_END, NAME_VALUE_SEPARATOR, VALUE_START, VALUE, VALUE_END, NEXT_INPUT, INPUTS_END, END }; }; #endif
[ "anool.m@gmail.com" ]
anool.m@gmail.com
6d6a0a7cf46664b174f04f21391388a745e34f0d
04a95a0c0892ffb506c9763b62b60e1785f445a5
/Pablo/030321/VehicleProjectBase/Source/EDDProject/EDDProjectGameMode.h
9a0fd0bb2290e3d7ed517808a16b24db7bd73d57
[]
no_license
msclecram/Cocos-estructuras-de-datos-2021
b3e79f45632b7b4a73acc95d7b9e80803479e182
4bb896744fd0c91cb36656509f8c8135257b6226
refs/heads/main
2023-04-19T21:17:22.012467
2021-05-25T03:34:09
2021-05-25T03:34:09
328,563,108
0
0
null
2021-05-25T03:34:12
2021-01-11T05:56:50
C++
UTF-8
C++
false
false
274
h
// Copyright Epic Games, Inc. All Rights Reserved. #pragma once #include "GameFramework/GameModeBase.h" #include "EDDProjectGameMode.generated.h" UCLASS(minimalapi) class AEDDProjectGameMode : public AGameModeBase { GENERATED_BODY() public: AEDDProjectGameMode(); };
[ "77421613+MythicalNoob@users.noreply.github.com" ]
77421613+MythicalNoob@users.noreply.github.com
d3bd68d6386a76ba0ddc1f9a1a526b8ce79cf845
188fb8ded33ad7a2f52f69975006bb38917437ef
/Fluid/processor0/0.24/polyMesh/points
2d3fa108aa2576a936ef4a534b5a3bd2234f89bf
[]
no_license
abarcaortega/Tuto_2
34a4721f14725c20471ff2dc8d22b52638b8a2b3
4a84c22efbb9cd2eaeda92883343b6910e0941e2
refs/heads/master
2020-08-05T16:11:57.674940
2019-10-04T09:56:09
2019-10-04T09:56:09
212,573,883
0
0
null
null
null
null
UTF-8
C++
false
false
22,896
/*--------------------------------*- C++ -*----------------------------------*\ | ========= | | | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox | | \\ / O peration | Version: dev | | \\ / A nd | Web: www.OpenFOAM.org | | \\/ M anipulation | | \*---------------------------------------------------------------------------*/ FoamFile { version 2.0; format ascii; class vectorField; location "0.24/polyMesh"; object points; } // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // 1034 ( (-3 0.3 1) (-2.86127 0.3 1.00132) (-2.72597 0.3 1.00254) (-3 0 1) (-2.86127 0 1.00132) (-2.72597 0 1.00254) (-3 0.3 1.06922) (-2.86128 0.3 1.07061) (-2.726 0.3 1.0719) (-2.59413 0.3 1.07307) (-3 0.3 1.14011) (-2.8613 0.3 1.14157) (-2.72604 0.3 1.14292) (-2.59418 0.3 1.14415) (-2.46562 0.3 1.14528) (-3 0.3 1.21272) (-2.86133 0.3 1.21424) (-2.72609 0.3 1.21565) (-2.59424 0.3 1.21694) (-2.4657 0.3 1.21812) (-2.34035 0.3 1.21922) (-3 0.3 1.28709) (-2.86135 0.3 1.28867) (-2.72613 0.3 1.29014) (-2.59431 0.3 1.29147) (-2.46578 0.3 1.2927) (-2.34045 0.3 1.29384) (-2.21822 0.3 1.29492) (-3 0.3 1.36325) (-2.86138 0.3 1.36489) (-2.72619 0.3 1.36641) (-2.59438 0.3 1.36779) (-2.46587 0.3 1.36906) (-2.34056 0.3 1.37025) (-2.21834 0.3 1.37136) (-2.09913 0.3 1.37242) (-3 0.3 1.44126) (-2.86141 0.3 1.44294) (-2.72624 0.3 1.44451) (-2.59446 0.3 1.44593) (-2.46597 0.3 1.44724) (-2.34067 0.3 1.44847) (-2.21847 0.3 1.44962) (-2.09928 0.3 1.45072) (-1.98302 0.3 1.45177) (-1.8696 0.3 1.45279) (-3 0.3 1.52115) (-2.86144 0.3 1.52288) (-2.72631 0.3 1.52448) (-2.59455 0.3 1.52595) (-2.46608 0.3 1.52729) (-2.3408 0.3 1.52855) (-2.21862 0.3 1.52973) (-2.09944 0.3 1.53086) (-1.9832 0.3 1.53194) (-1.86979 0.3 1.53299) (-1.75916 0.3 1.53402) (-3 0.3 1.60298) (-2.86148 0.3 1.60474) (-2.72637 0.3 1.60638) (-2.59465 0.3 1.60788) (-2.4662 0.3 1.60925) (-2.34094 0.3 1.61054) (-2.21878 0.3 1.61175) (-2.09962 0.3 1.6129) (-1.98338 0.3 1.61401) (-1.87 0.3 1.61508) (-1.75938 0.3 1.61613) (-1.65145 0.3 1.61715) (-1.54615 0.3 1.61817) (-3 0.3 1.68679) (-2.86152 0.3 1.68858) (-2.72645 0.3 1.69024) (-2.59475 0.3 1.69176) (-2.46633 0.3 1.69317) (-2.34109 0.3 1.69447) (-2.21894 0.3 1.69571) (-2.0998 0.3 1.69688) (-1.98359 0.3 1.69801) (-1.87021 0.3 1.69909) (-1.75961 0.3 1.70016) (-1.6517 0.3 1.7012) (-1.54642 0.3 1.70222) (-1.44369 0.3 1.70324) (-1.34346 0.3 1.70426) (-3 0.3 1.77262) (-2.86156 0.3 1.77443) (-2.72652 0.3 1.77612) (-2.59486 0.3 1.77766) (-2.46646 0.3 1.77908) (-2.34125 0.3 1.7804) (-2.21912 0.3 1.78165) (-2.1 0.3 1.78284) (-1.9838 0.3 1.78398) (-1.87045 0.3 1.78508) (-1.75986 0.3 1.78615) (-1.65196 0.3 1.7872) (-1.5467 0.3 1.78823) (-1.44399 0.3 1.78925) (-1.34377 0.3 1.79026) (-1.24599 0.3 1.79126) (-3 0.3 1.86053) (-2.8616 0.3 1.86236) (-2.7266 0.3 1.86405) (-2.59497 0.3 1.86561) (-2.46661 0.3 1.86704) (-2.34142 0.3 1.86838) (-2.21931 0.3 1.86963) (-2.10021 0.3 1.87083) (-1.98403 0.3 1.87198) (-1.87069 0.3 1.87308) (-1.76012 0.3 1.87416) (-1.65224 0.3 1.8752) (-1.54699 0.3 1.87623) (-1.44429 0.3 1.87724) (-1.34409 0.3 1.87824) (-1.24632 0.3 1.87922) (-1.15093 0.3 1.88019) (-1.05784 0.3 1.88115) (-3 0.3 1.95056) (-2.86165 0.3 1.9524) (-2.72669 0.3 1.9541) (-2.59509 0.3 1.95566) (-2.46676 0.3 1.95709) (-2.34159 0.3 1.95844) (-2.21951 0.3 1.9597) (-2.10043 0.3 1.9609) (-1.98427 0.3 1.96205) (-1.87095 0.3 1.96315) (-1.76039 0.3 1.96422) (-1.65253 0.3 1.96526) (-1.54729 0.3 1.96628) (-1.44461 0.3 1.96727) (-1.34442 0.3 1.96825) (-1.24666 0.3 1.96921) (-1.15128 0.3 1.97015) (-1.05821 0.3 1.97107) (-0.96739 0.3 1.97196) (-0.878778 0.3 1.97283) (-3 0.3 2.04278) (-2.8617 0.3 2.0446) (-2.72678 0.3 2.0463) (-2.59522 0.3 2.04786) (-2.46691 0.3 2.04929) (-2.34178 0.3 2.05063) (-2.21972 0.3 2.0519) (-2.10066 0.3 2.05309) (-1.98452 0.3 2.05423) (-1.87121 0.3 2.05533) (-1.76067 0.3 2.05639) (-1.65282 0.3 2.05742) (-1.54759 0.3 2.05842) (-1.44493 0.3 2.0594) (-1.34475 0.3 2.06035) (-1.247 0.3 2.06128) (-1.15163 0.3 2.06218) (-1.05856 0.3 2.06306) (-0.967752 0.3 2.06391) (-0.879141 0.3 2.06471) (-0.792674 0.3 2.06548) (-0.7083 0.3 2.0662) (-3 0.3 2.13722) (-2.86175 0.3 2.13903) (-2.72687 0.3 2.14072) (-2.59535 0.3 2.14226) (-2.46708 0.3 2.14369) (-2.34197 0.3 2.14502) (-2.21993 0.3 2.14627) (-2.1009 0.3 2.14746) (-1.98477 0.3 2.14859) (-1.87148 0.3 2.14968) (-1.76096 0.3 2.15073) (-1.65312 0.3 2.15174) (-1.54791 0.3 2.15272) (-1.44525 0.3 2.15367) (-1.34508 0.3 2.15459) (-1.24735 0.3 2.15549) (-1.15198 0.3 2.15635) (-1.05892 0.3 2.15718) (-0.968106 0.3 2.15798) (-0.879493 0.3 2.15873) (-0.793021 0.3 2.15944) (-0.708637 0.3 2.1601) (-3 0.3 2.23395) (-2.8618 0.3 2.23574) (-2.72697 0.3 2.2374) (-2.59549 0.3 2.23893) (-2.46725 0.3 2.24034) (-2.34216 0.3 2.24165) (-2.22016 0.3 2.24289) (-2.10114 0.3 2.24406) (-1.98503 0.3 2.24517) (-1.87176 0.3 2.24624) (-1.76125 0.3 2.24727) (-1.65343 0.3 2.24826) (-1.54823 0.3 2.24921) (-1.44558 0.3 2.25014) (-1.34542 0.3 2.25103) (-1.24769 0.3 2.25188) (-1.15232 0.3 2.25271) (-1.05926 0.3 2.25349) (-0.968453 0.3 2.25424) (-0.879836 0.3 2.25494) (-0.793357 0.3 2.2556) (-0.708962 0.3 2.2562) (-3 0.3 2.33302) (-2.86185 0.3 2.33477) (-2.72707 0.3 2.3364) (-2.59562 0.3 2.3379) (-2.46742 0.3 2.33929) (-2.34236 0.3 2.34058) (-2.22038 0.3 2.34179) (-2.10138 0.3 2.34294) (-1.9853 0.3 2.34403) (-1.87204 0.3 2.34508) (-1.76154 0.3 2.34608) (-1.65373 0.3 2.34704) (-1.54854 0.3 2.34796) (-1.44591 0.3 2.34885) (-1.34575 0.3 2.34971) (-1.24803 0.3 2.35053) (-1.15266 0.3 2.35131) (-1.0596 0.3 2.35205) (-0.968792 0.3 2.35275) (-0.88017 0.3 2.3534) (-0.793682 0.3 2.35401) (-3 0.3 2.43448) (-2.8619 0.3 2.43619) (-2.72717 0.3 2.43778) (-2.59576 0.3 2.43924) (-2.46759 0.3 2.44059) (-2.34257 0.3 2.44185) (-2.22061 0.3 2.44304) (-2.10163 0.3 2.44416) (-1.98557 0.3 2.44522) (-1.87233 0.3 2.44623) (-1.76184 0.3 2.4472) (-1.65404 0.3 2.44813) (-1.54886 0.3 2.44903) (-1.44623 0.3 2.44988) (-1.34609 0.3 2.4507) (-1.24836 0.3 2.45148) (-1.153 0.3 2.45221) (-1.05994 0.3 2.45291) (-0.969123 0.3 2.45357) (-0.880495 0.3 2.45417) (-0.793999 0.3 2.45473) (-3 0.3 2.5384) (-2.86196 0.3 2.54005) (-2.72727 0.3 2.54159) (-2.59591 0.3 2.543) (-2.46777 0.3 2.54431) (-2.34277 0.3 2.54554) (-2.22084 0.3 2.54668) (-2.10189 0.3 2.54777) (-1.98583 0.3 2.5488) (-1.87261 0.3 2.54977) (-1.76214 0.3 2.55071) (-1.65435 0.3 2.5516) (-1.54918 0.3 2.55246) (-1.44655 0.3 2.55327) (-1.34641 0.3 2.55405) (-1.24869 0.3 2.55479) (-1.15333 0.3 2.55548) (-1.06027 0.3 2.55614) (-0.969447 0.3 2.55675) (-0.880812 0.3 2.55731) (-0.794306 0.3 2.55782) (-3 0.3 2.64484) (-2.86201 0.3 2.64642) (-2.72737 0.3 2.64789) (-2.59605 0.3 2.64925) (-2.46794 0.3 2.65051) (-2.34298 0.3 2.65168) (-2.22107 0.3 2.65279) (-2.10214 0.3 2.65383) (-1.9861 0.3 2.65482) (-1.87289 0.3 2.65575) (-1.76243 0.3 2.65665) (-1.65466 0.3 2.6575) (-1.54949 0.3 2.65831) (-1.44687 0.3 2.65909) (-1.34673 0.3 2.65982) (-1.24901 0.3 2.66052) (-1.15365 0.3 2.66117) (-1.06059 0.3 2.66178) (-0.969761 0.3 2.66235) (-0.881119 0.3 2.66287) (-0.794605 0.3 2.66334) (-3 0.3 2.75384) (-2.86206 0.3 2.75534) (-2.72747 0.3 2.75675) (-2.59619 0.3 2.75804) (-2.46812 0.3 2.75924) (-2.34318 0.3 2.76036) (-2.2213 0.3 2.76141) (-2.10238 0.3 2.7624) (-1.98637 0.3 2.76334) (-1.87317 0.3 2.76423) (-1.76272 0.3 2.76508) (-1.65496 0.3 2.76589) (-1.5498 0.3 2.76665) (-1.44718 0.3 2.76738) (-1.34705 0.3 2.76807) (-1.24933 0.3 2.76872) (-1.15396 0.3 2.76933) (-1.0609 0.3 2.7699) (-0.970066 0.3 2.77042) (-0.881417 0.3 2.7709) (-0.794894 0.3 2.77134) (-3 0.3 2.86549) (-2.86212 0.3 2.8669) (-2.72757 0.3 2.86821) (-2.59633 0.3 2.86943) (-2.46829 0.3 2.87056) (-2.34338 0.3 2.87161) (-2.22152 0.3 2.87261) (-2.10262 0.3 2.87354) (-1.98662 0.3 2.87443) (-1.87344 0.3 2.87527) (-1.76301 0.3 2.87606) (-1.65525 0.3 2.87682) (-1.55009 0.3 2.87754) (-1.44748 0.3 2.87822) (-1.34735 0.3 2.87886) (-1.24963 0.3 2.87947) (-1.15427 0.3 2.88003) (-1.06119 0.3 2.88056) (-0.970359 0.3 2.88104) (-0.881704 0.3 2.88148) (-0.795173 0.3 2.88188) (-3 0.3 2.97983) (-2.86217 0.3 2.98114) (-2.72767 0.3 2.98236) (-2.59646 0.3 2.98349) (-2.46845 0.3 2.98454) (-2.34357 0.3 2.98552) (-2.22173 0.3 2.98644) (-2.10286 0.3 2.98731) (-1.98687 0.3 2.98814) (-1.8737 0.3 2.98892) (-1.76328 0.3 2.98966) (-1.65553 0.3 2.99036) (-1.55038 0.3 2.99103) (-1.44777 0.3 2.99166) (-1.34764 0.3 2.99225) (-1.24992 0.3 2.99281) (-1.15455 0.3 2.99332) (-1.06148 0.3 2.99381) (-0.970639 0.3 2.99425) (-0.881978 0.3 2.99465) (-0.795439 0.3 2.99501) (-3 0.3 3.09695) (-2.86222 0.3 3.09813) (-2.72776 0.3 3.09925) (-2.59659 0.3 3.10028) (-2.46861 0.3 3.10124) (-2.34375 0.3 3.10214) (-2.22194 0.3 3.10298) (-2.10308 0.3 3.10378) (-1.98711 0.3 3.10454) (-1.87395 0.3 3.10525) (-1.76354 0.3 3.10593) (-1.65579 0.3 3.10657) (-1.55065 0.3 3.10718) (-1.44805 0.3 3.10775) (-1.34791 0.3 3.10829) (-1.2502 0.3 3.1088) (-1.15483 0.3 3.10927) (-1.06175 0.3 3.10971) (-0.970903 0.3 3.1101) (-0.882236 0.3 3.11047) (-0.795691 0.3 3.11079) (-3 0.3 3.21689) (-2.86226 0.3 3.21795) (-2.72785 0.3 3.21894) (-2.59671 0.3 3.21987) (-2.46876 0.3 3.22073) (-2.34392 0.3 3.22153) (-2.22213 0.3 3.22229) (-2.10329 0.3 3.22301) (-1.98733 0.3 3.22368) (-1.87418 0.3 3.22433) (-1.76378 0.3 3.22493) (-1.65604 0.3 3.22551) (-1.5509 0.3 3.22606) (-1.4483 0.3 3.22657) (-1.34817 0.3 3.22705) (-1.25045 0.3 3.22751) (-1.15508 0.3 3.22793) (-1.062 0.3 3.22831) (-0.971148 0.3 3.22867) (-0.882476 0.3 3.22899) (-0.795925 0.3 3.22928) (-3 0.3 3.33974) (-2.8623 0.3 3.34065) (-2.72792 0.3 3.34152) (-2.59681 0.3 3.34232) (-2.46889 0.3 3.34307) (-2.34408 0.3 3.34377) (-2.2223 0.3 3.34443) (-2.10348 0.3 3.34505) (-1.98753 0.3 3.34565) (-1.87439 0.3 3.34621) (-1.76399 0.3 3.34674) (-1.65626 0.3 3.34724) (-1.55113 0.3 3.34772) (-1.44853 0.3 3.34817) (-1.3484 0.3 3.34859) (-1.25068 0.3 3.34898) (-1.15531 0.3 3.34935) (-1.06222 0.3 3.34969) (-0.971371 0.3 3.34999) (-0.882694 0.3 3.35027) (-0.796138 0.3 3.35053) (-3 0.3 3.46555) (-2.86234 0.3 3.46631) (-2.72799 0.3 3.46703) (-2.59691 0.3 3.4677) (-2.46901 0.3 3.46833) (-2.34422 0.3 3.46891) (-2.22246 0.3 3.46947) (-2.10364 0.3 3.46999) (-1.98771 0.3 3.47049) (-1.87458 0.3 3.47096) (-1.76419 0.3 3.4714) (-1.65646 0.3 3.47183) (-1.55133 0.3 3.47223) (-1.44873 0.3 3.4726) (-1.3486 0.3 3.47296) (-1.25088 0.3 3.47329) (-1.15551 0.3 3.4736) (-1.06242 0.3 3.47388) (-0.971567 0.3 3.47414) (-0.882886 0.3 3.47437) (-0.796326 0.3 3.47458) (-3 0.3 3.59441) (-2.86237 0.3 3.59501) (-2.72805 0.3 3.59557) (-2.59699 0.3 3.59609) (-2.46912 0.3 3.59658) (-2.34434 0.3 3.59704) (-2.22259 0.3 3.59747) (-2.10378 0.3 3.59788) (-1.98786 0.3 3.59827) (-1.87474 0.3 3.59864) (-1.76435 0.3 3.59899) (-1.65663 0.3 3.59933) (-1.5515 0.3 3.59964) (-1.4489 0.3 3.59994) (-1.34877 0.3 3.60022) (-1.25105 0.3 3.60048) (-1.15568 0.3 3.60072) (-1.06259 0.3 3.60095) (-0.971731 0.3 3.60115) (-0.883047 0.3 3.60134) (-0.796483 0.3 3.6015) (-3 0.3 3.72639) (-2.8624 0.3 3.7268) (-2.7281 0.3 3.72719) (-2.59706 0.3 3.72755) (-2.46919 0.3 3.72789) (-2.34443 0.3 3.72821) (-2.22269 0.3 3.72851) (-2.10389 0.3 3.7288) (-1.98798 0.3 3.72907) (-1.87486 0.3 3.72933) (-1.76447 0.3 3.72957) (-1.65675 0.3 3.72981) (-1.55163 0.3 3.73003) (-1.44903 0.3 3.73024) (-1.34891 0.3 3.73043) (-1.25118 0.3 3.73062) (-1.15581 0.3 3.73079) (-1.06272 0.3 3.73095) (-0.971857 0.3 3.73109) (-0.883171 0.3 3.73122) (-0.796604 0.3 3.73134) (-3 0.3 3.86156) (-2.86241 0.3 3.86177) (-2.72813 0.3 3.86197) (-2.5971 0.3 3.86216) (-2.46925 0.3 3.86233) (-2.34449 0.3 3.8625) (-2.22275 0.3 3.86265) (-2.10396 0.3 3.8628) (-1.98805 0.3 3.86295) (-1.87494 0.3 3.86308) (-1.76455 0.3 3.86321) (-1.65684 0.3 3.86333) (-1.55171 0.3 3.86345) (-1.44912 0.3 3.86356) (-1.34899 0.3 3.86366) (-1.25127 0.3 3.86375) (-1.15589 0.3 3.86384) (-1.0628 0.3 3.86393) (-0.971938 0.3 3.864) (-0.88325 0.3 3.86407) (-0.796682 0.3 3.86413) (-3 0.3 4) (-2.86242 0.3 4) (-2.72814 0.3 4) (-2.59712 0.3 4) (-2.46926 0.3 4) (-2.34451 0.3 4) (-2.22278 0.3 4) (-2.10399 0.3 4) (-1.98808 0.3 4) (-1.87496 0.3 4) (-1.76458 0.3 4) (-1.65686 0.3 4) (-1.55174 0.3 4) (-1.44915 0.3 4) (-1.34902 0.3 4) (-1.2513 0.3 4) (-1.15592 0.3 4) (-1.06283 0.3 4) (-0.971967 0.3 4) (-0.883278 0.3 4) (-0.796709 0.3 4) (-3 0 1.06922) (-2.86128 0 1.07061) (-2.726 0 1.0719) (-2.59413 0 1.07307) (-3 0 1.14011) (-2.8613 0 1.14157) (-2.72604 0 1.14292) (-2.59418 0 1.14415) (-2.46562 0 1.14528) (-3 0 1.21272) (-2.86133 0 1.21424) (-2.72609 0 1.21565) (-2.59424 0 1.21694) (-2.4657 0 1.21812) (-2.34035 0 1.21922) (-3 0 1.28709) (-2.86135 0 1.28867) (-2.72613 0 1.29014) (-2.59431 0 1.29147) (-2.46578 0 1.2927) (-2.34045 0 1.29384) (-2.21822 0 1.29492) (-3 0 1.36325) (-2.86138 0 1.36489) (-2.72619 0 1.36641) (-2.59438 0 1.36779) (-2.46587 0 1.36906) (-2.34056 0 1.37025) (-2.21834 0 1.37136) (-2.09913 0 1.37242) (-3 0 1.44126) (-2.86141 0 1.44294) (-2.72624 0 1.44451) (-2.59446 0 1.44593) (-2.46597 0 1.44724) (-2.34067 0 1.44847) (-2.21847 0 1.44962) (-2.09928 0 1.45072) (-1.98302 0 1.45177) (-1.8696 0 1.45279) (-3 0 1.52115) (-2.86144 0 1.52288) (-2.72631 0 1.52448) (-2.59455 0 1.52595) (-2.46608 0 1.52729) (-2.3408 0 1.52855) (-2.21862 0 1.52973) (-2.09944 0 1.53086) (-1.9832 0 1.53194) (-1.86979 0 1.53299) (-1.75916 0 1.53402) (-3 0 1.60298) (-2.86148 0 1.60474) (-2.72637 0 1.60638) (-2.59465 0 1.60788) (-2.4662 0 1.60925) (-2.34094 0 1.61054) (-2.21878 0 1.61175) (-2.09962 0 1.6129) (-1.98338 0 1.61401) (-1.87 0 1.61508) (-1.75938 0 1.61613) (-1.65145 0 1.61715) (-1.54615 0 1.61817) (-3 0 1.68679) (-2.86152 0 1.68858) (-2.72645 0 1.69024) (-2.59475 0 1.69176) (-2.46633 0 1.69317) (-2.34109 0 1.69447) (-2.21894 0 1.69571) (-2.0998 0 1.69688) (-1.98359 0 1.69801) (-1.87021 0 1.69909) (-1.75961 0 1.70016) (-1.6517 0 1.7012) (-1.54642 0 1.70222) (-1.44369 0 1.70324) (-1.34346 0 1.70426) (-3 0 1.77262) (-2.86156 0 1.77443) (-2.72652 0 1.77612) (-2.59486 0 1.77766) (-2.46646 0 1.77908) (-2.34125 0 1.7804) (-2.21912 0 1.78165) (-2.1 0 1.78284) (-1.9838 0 1.78398) (-1.87045 0 1.78508) (-1.75986 0 1.78615) (-1.65196 0 1.7872) (-1.5467 0 1.78823) (-1.44399 0 1.78925) (-1.34377 0 1.79026) (-1.24599 0 1.79126) (-3 0 1.86053) (-2.8616 0 1.86236) (-2.7266 0 1.86405) (-2.59497 0 1.86561) (-2.46661 0 1.86704) (-2.34142 0 1.86838) (-2.21931 0 1.86963) (-2.10021 0 1.87083) (-1.98403 0 1.87198) (-1.87069 0 1.87308) (-1.76012 0 1.87416) (-1.65224 0 1.8752) (-1.54699 0 1.87623) (-1.44429 0 1.87724) (-1.34409 0 1.87824) (-1.24632 0 1.87922) (-1.15093 0 1.88019) (-1.05784 0 1.88115) (-3 0 1.95056) (-2.86165 0 1.9524) (-2.72669 0 1.9541) (-2.59509 0 1.95566) (-2.46676 0 1.95709) (-2.34159 0 1.95844) (-2.21951 0 1.9597) (-2.10043 0 1.9609) (-1.98427 0 1.96205) (-1.87095 0 1.96315) (-1.76039 0 1.96422) (-1.65253 0 1.96526) (-1.54729 0 1.96628) (-1.44461 0 1.96727) (-1.34442 0 1.96825) (-1.24666 0 1.96921) (-1.15128 0 1.97015) (-1.05821 0 1.97107) (-0.96739 0 1.97196) (-0.878778 0 1.97283) (-3 0 2.04278) (-2.8617 0 2.0446) (-2.72678 0 2.0463) (-2.59522 0 2.04786) (-2.46691 0 2.04929) (-2.34178 0 2.05063) (-2.21972 0 2.0519) (-2.10066 0 2.05309) (-1.98452 0 2.05423) (-1.87121 0 2.05533) (-1.76067 0 2.05639) (-1.65282 0 2.05742) (-1.54759 0 2.05842) (-1.44493 0 2.0594) (-1.34475 0 2.06035) (-1.247 0 2.06128) (-1.15163 0 2.06218) (-1.05856 0 2.06306) (-0.967752 0 2.06391) (-0.879141 0 2.06471) (-0.792674 0 2.06548) (-0.7083 0 2.0662) (-3 0 2.13722) (-2.86175 0 2.13903) (-2.72687 0 2.14072) (-2.59535 0 2.14226) (-2.46708 0 2.14369) (-2.34197 0 2.14502) (-2.21993 0 2.14627) (-2.1009 0 2.14746) (-1.98477 0 2.14859) (-1.87148 0 2.14968) (-1.76096 0 2.15073) (-1.65312 0 2.15174) (-1.54791 0 2.15272) (-1.44525 0 2.15367) (-1.34508 0 2.15459) (-1.24735 0 2.15549) (-1.15198 0 2.15635) (-1.05892 0 2.15718) (-0.968106 0 2.15798) (-0.879493 0 2.15873) (-0.793021 0 2.15944) (-0.708637 0 2.1601) (-3 0 2.23395) (-2.8618 0 2.23574) (-2.72697 0 2.2374) (-2.59549 0 2.23893) (-2.46725 0 2.24034) (-2.34216 0 2.24165) (-2.22016 0 2.24289) (-2.10114 0 2.24406) (-1.98503 0 2.24517) (-1.87176 0 2.24624) (-1.76125 0 2.24727) (-1.65343 0 2.24826) (-1.54823 0 2.24921) (-1.44558 0 2.25014) (-1.34542 0 2.25103) (-1.24769 0 2.25188) (-1.15232 0 2.25271) (-1.05926 0 2.25349) (-0.968453 0 2.25424) (-0.879836 0 2.25494) (-0.793357 0 2.2556) (-0.708962 0 2.2562) (-3 0 2.33302) (-2.86185 0 2.33477) (-2.72707 0 2.3364) (-2.59562 0 2.3379) (-2.46742 0 2.33929) (-2.34236 0 2.34058) (-2.22038 0 2.34179) (-2.10138 0 2.34294) (-1.9853 0 2.34403) (-1.87204 0 2.34508) (-1.76154 0 2.34608) (-1.65373 0 2.34704) (-1.54854 0 2.34796) (-1.44591 0 2.34885) (-1.34575 0 2.34971) (-1.24803 0 2.35053) (-1.15266 0 2.35131) (-1.0596 0 2.35205) (-0.968792 0 2.35275) (-0.88017 0 2.3534) (-0.793682 0 2.35401) (-3 0 2.43448) (-2.8619 0 2.43619) (-2.72717 0 2.43778) (-2.59576 0 2.43924) (-2.46759 0 2.44059) (-2.34257 0 2.44185) (-2.22061 0 2.44304) (-2.10163 0 2.44416) (-1.98557 0 2.44522) (-1.87233 0 2.44623) (-1.76184 0 2.4472) (-1.65404 0 2.44813) (-1.54886 0 2.44903) (-1.44623 0 2.44988) (-1.34609 0 2.4507) (-1.24836 0 2.45148) (-1.153 0 2.45221) (-1.05994 0 2.45291) (-0.969123 0 2.45357) (-0.880495 0 2.45417) (-0.793999 0 2.45473) (-3 0 2.5384) (-2.86196 0 2.54005) (-2.72727 0 2.54159) (-2.59591 0 2.543) (-2.46777 0 2.54431) (-2.34277 0 2.54554) (-2.22084 0 2.54668) (-2.10189 0 2.54777) (-1.98583 0 2.5488) (-1.87261 0 2.54977) (-1.76214 0 2.55071) (-1.65435 0 2.5516) (-1.54918 0 2.55246) (-1.44655 0 2.55327) (-1.34641 0 2.55405) (-1.24869 0 2.55479) (-1.15333 0 2.55548) (-1.06027 0 2.55614) (-0.969447 0 2.55675) (-0.880812 0 2.55731) (-0.794306 0 2.55782) (-3 0 2.64484) (-2.86201 0 2.64642) (-2.72737 0 2.64789) (-2.59605 0 2.64925) (-2.46794 0 2.65051) (-2.34298 0 2.65168) (-2.22107 0 2.65279) (-2.10214 0 2.65383) (-1.9861 0 2.65482) (-1.87289 0 2.65575) (-1.76243 0 2.65665) (-1.65466 0 2.6575) (-1.54949 0 2.65831) (-1.44687 0 2.65909) (-1.34673 0 2.65982) (-1.24901 0 2.66052) (-1.15365 0 2.66117) (-1.06059 0 2.66178) (-0.969761 0 2.66235) (-0.881119 0 2.66287) (-0.794605 0 2.66334) (-3 0 2.75384) (-2.86206 0 2.75534) (-2.72747 0 2.75675) (-2.59619 0 2.75804) (-2.46812 0 2.75924) (-2.34318 0 2.76036) (-2.2213 0 2.76141) (-2.10238 0 2.7624) (-1.98637 0 2.76334) (-1.87317 0 2.76423) (-1.76272 0 2.76508) (-1.65496 0 2.76589) (-1.5498 0 2.76665) (-1.44718 0 2.76738) (-1.34705 0 2.76807) (-1.24933 0 2.76872) (-1.15396 0 2.76933) (-1.0609 0 2.7699) (-0.970066 0 2.77042) (-0.881417 0 2.7709) (-0.794894 0 2.77134) (-3 0 2.86549) (-2.86212 0 2.8669) (-2.72757 0 2.86821) (-2.59633 0 2.86943) (-2.46829 0 2.87056) (-2.34338 0 2.87161) (-2.22152 0 2.87261) (-2.10262 0 2.87354) (-1.98662 0 2.87443) (-1.87344 0 2.87527) (-1.76301 0 2.87606) (-1.65525 0 2.87682) (-1.55009 0 2.87754) (-1.44748 0 2.87822) (-1.34735 0 2.87886) (-1.24963 0 2.87947) (-1.15427 0 2.88003) (-1.06119 0 2.88056) (-0.970359 0 2.88104) (-0.881704 0 2.88148) (-0.795173 0 2.88188) (-3 0 2.97983) (-2.86217 0 2.98114) (-2.72767 0 2.98236) (-2.59646 0 2.98349) (-2.46845 0 2.98454) (-2.34357 0 2.98552) (-2.22173 0 2.98644) (-2.10286 0 2.98731) (-1.98687 0 2.98814) (-1.8737 0 2.98892) (-1.76328 0 2.98966) (-1.65553 0 2.99036) (-1.55038 0 2.99103) (-1.44777 0 2.99166) (-1.34764 0 2.99225) (-1.24992 0 2.99281) (-1.15455 0 2.99332) (-1.06148 0 2.99381) (-0.970639 0 2.99425) (-0.881978 0 2.99465) (-0.795439 0 2.99501) (-3 0 3.09695) (-2.86222 0 3.09813) (-2.72776 0 3.09925) (-2.59659 0 3.10028) (-2.46861 0 3.10124) (-2.34375 0 3.10214) (-2.22194 0 3.10298) (-2.10308 0 3.10378) (-1.98711 0 3.10454) (-1.87395 0 3.10525) (-1.76354 0 3.10593) (-1.65579 0 3.10657) (-1.55065 0 3.10718) (-1.44805 0 3.10775) (-1.34791 0 3.10829) (-1.2502 0 3.1088) (-1.15483 0 3.10927) (-1.06175 0 3.10971) (-0.970903 0 3.1101) (-0.882236 0 3.11047) (-0.795691 0 3.11079) (-3 0 3.21689) (-2.86226 0 3.21795) (-2.72785 0 3.21894) (-2.59671 0 3.21987) (-2.46876 0 3.22073) (-2.34392 0 3.22153) (-2.22213 0 3.22229) (-2.10329 0 3.22301) (-1.98733 0 3.22368) (-1.87418 0 3.22433) (-1.76378 0 3.22493) (-1.65604 0 3.22551) (-1.5509 0 3.22606) (-1.4483 0 3.22657) (-1.34817 0 3.22705) (-1.25045 0 3.22751) (-1.15508 0 3.22793) (-1.062 0 3.22831) (-0.971148 0 3.22867) (-0.882476 0 3.22899) (-0.795925 0 3.22928) (-3 0 3.33974) (-2.8623 0 3.34065) (-2.72792 0 3.34152) (-2.59681 0 3.34232) (-2.46889 0 3.34307) (-2.34408 0 3.34377) (-2.2223 0 3.34443) (-2.10348 0 3.34505) (-1.98753 0 3.34565) (-1.87439 0 3.34621) (-1.76399 0 3.34674) (-1.65626 0 3.34724) (-1.55113 0 3.34772) (-1.44853 0 3.34817) (-1.3484 0 3.34859) (-1.25068 0 3.34898) (-1.15531 0 3.34935) (-1.06222 0 3.34969) (-0.971371 0 3.34999) (-0.882694 0 3.35027) (-0.796138 0 3.35053) (-3 0 3.46555) (-2.86234 0 3.46631) (-2.72799 0 3.46703) (-2.59691 0 3.4677) (-2.46901 0 3.46833) (-2.34422 0 3.46891) (-2.22246 0 3.46947) (-2.10364 0 3.46999) (-1.98771 0 3.47049) (-1.87458 0 3.47096) (-1.76419 0 3.4714) (-1.65646 0 3.47183) (-1.55133 0 3.47223) (-1.44873 0 3.4726) (-1.3486 0 3.47296) (-1.25088 0 3.47329) (-1.15551 0 3.4736) (-1.06242 0 3.47388) (-0.971567 0 3.47414) (-0.882886 0 3.47437) (-0.796326 0 3.47458) (-3 0 3.59441) (-2.86237 0 3.59501) (-2.72805 0 3.59557) (-2.59699 0 3.59609) (-2.46912 0 3.59658) (-2.34434 0 3.59704) (-2.22259 0 3.59747) (-2.10378 0 3.59788) (-1.98786 0 3.59827) (-1.87474 0 3.59864) (-1.76435 0 3.59899) (-1.65663 0 3.59933) (-1.5515 0 3.59964) (-1.4489 0 3.59994) (-1.34877 0 3.60022) (-1.25105 0 3.60048) (-1.15568 0 3.60072) (-1.06259 0 3.60095) (-0.971731 0 3.60115) (-0.883047 0 3.60134) (-0.796483 0 3.6015) (-3 0 3.72639) (-2.8624 0 3.7268) (-2.7281 0 3.72719) (-2.59706 0 3.72755) (-2.46919 0 3.72789) (-2.34443 0 3.72821) (-2.22269 0 3.72851) (-2.10389 0 3.7288) (-1.98798 0 3.72907) (-1.87486 0 3.72933) (-1.76447 0 3.72957) (-1.65675 0 3.72981) (-1.55163 0 3.73003) (-1.44903 0 3.73024) (-1.34891 0 3.73043) (-1.25118 0 3.73062) (-1.15581 0 3.73079) (-1.06272 0 3.73095) (-0.971857 0 3.73109) (-0.883171 0 3.73122) (-0.796604 0 3.73134) (-3 0 3.86156) (-2.86241 0 3.86177) (-2.72813 0 3.86197) (-2.5971 0 3.86216) (-2.46925 0 3.86233) (-2.34449 0 3.8625) (-2.22275 0 3.86265) (-2.10396 0 3.8628) (-1.98805 0 3.86295) (-1.87494 0 3.86308) (-1.76455 0 3.86321) (-1.65684 0 3.86333) (-1.55171 0 3.86345) (-1.44912 0 3.86356) (-1.34899 0 3.86366) (-1.25127 0 3.86375) (-1.15589 0 3.86384) (-1.0628 0 3.86393) (-0.971938 0 3.864) (-0.88325 0 3.86407) (-0.796682 0 3.86413) (-3 0 4) (-2.86242 0 4) (-2.72814 0 4) (-2.59712 0 4) (-2.46926 0 4) (-2.34451 0 4) (-2.22278 0 4) (-2.10399 0 4) (-1.98808 0 4) (-1.87496 0 4) (-1.76458 0 4) (-1.65686 0 4) (-1.55174 0 4) (-1.44915 0 4) (-1.34902 0 4) (-1.2513 0 4) (-1.15592 0 4) (-1.06283 0 4) (-0.971967 0 4) (-0.883278 0 4) (-0.796709 0 4) ) // ************************************************************************* //
[ "aldo.abarca.ortega@gmail.com" ]
aldo.abarca.ortega@gmail.com
f61e75ba003ab58072eacd9816019e8c60971a55
62fba3c7fe99d29985f12d2915853c4269f5d2fc
/src/wallet/test/psbt_wallet_tests.cpp
dddad0e4bb54c570ed389ea39513532e99a67d0c
[ "MIT" ]
permissive
cnccdev/wes_coind
fe88222d5f5ac9f0b91b54d2b97e34700175c912
a15d64caa24dec050f997fe2031d518ee1d76836
refs/heads/master
2020-05-22T23:49:06.733413
2019-05-22T01:53:20
2019-05-22T01:53:20
186,550,211
0
0
null
null
null
null
UTF-8
C++
false
false
8,995
cpp
// Copyright (c) 2017-2018 The Bitcoin Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #include <key_io.h> #include <script/sign.h> #include <utilstrencodings.h> #include <wallet/rpcwallet.h> #include <wallet/wallet.h> #include <univalue.h> #include <boost/test/unit_test.hpp> #include <test/test_wescoin.h> #include <wallet/test/wallet_test_fixture.h> extern bool ParseHDKeypath(std::string keypath_str, std::vector<uint32_t>& keypath); BOOST_FIXTURE_TEST_SUITE(psbt_wallet_tests, WalletTestingSetup) BOOST_AUTO_TEST_CASE(psbt_updater_test) { // Create prevtxs and add to wallet CDataStream s_prev_tx1(ParseHex("0200000000010158e87a21b56daf0c23be8e7070456c336f7cbaa5c8757924f545887bb2abdd7501000000171600145f275f436b09a8cc9a2eb2a2f528485c68a56323feffffff02d8231f1b0100000017a914aed962d6654f9a2b36608eb9d64d2b260db4f1118700c2eb0b0000000017a914b7f5faf40e3d40a5a459b1db3535f2b72fa921e88702483045022100a22edcc6e5bc511af4cc4ae0de0fcd75c7e04d8c1c3a8aa9d820ed4b967384ec02200642963597b9b1bc22c75e9f3e117284a962188bf5e8a74c895089046a20ad770121035509a48eb623e10aace8bfd0212fdb8a8e5af3c94b0b133b95e114cab89e4f7965000000"), SER_NETWORK, PROTOCOL_VERSION); CTransactionRef prev_tx1; s_prev_tx1 >> prev_tx1; CWalletTx prev_wtx1(&m_wallet, prev_tx1); m_wallet.mapWallet.emplace(prev_wtx1.GetHash(), std::move(prev_wtx1)); CDataStream s_prev_tx2(ParseHex("0200000001aad73931018bd25f84ae400b68848be09db706eac2ac18298babee71ab656f8b0000000048473044022058f6fc7c6a33e1b31548d481c826c015bd30135aad42cd67790dab66d2ad243b02204a1ced2604c6735b6393e5b41691dd78b00f0c5942fb9f751856faa938157dba01feffffff0280f0fa020000000017a9140fb9463421696b82c833af241c78c17ddbde493487d0f20a270100000017a91429ca74f8a08f81999428185c97b5d852e4063f618765000000"), SER_NETWORK, PROTOCOL_VERSION); CTransactionRef prev_tx2; s_prev_tx2 >> prev_tx2; CWalletTx prev_wtx2(&m_wallet, prev_tx2); m_wallet.mapWallet.emplace(prev_wtx2.GetHash(), std::move(prev_wtx2)); // Add scripts CScript rs1; CDataStream s_rs1(ParseHex("475221029583bf39ae0a609747ad199addd634fa6108559d6c5cd39b4c2183f1ab96e07f2102dab61ff49a14db6a7d02b0cd1fbb78fc4b18312b5b4e54dae4dba2fbfef536d752ae"), SER_NETWORK, PROTOCOL_VERSION); s_rs1 >> rs1; m_wallet.AddCScript(rs1); CScript rs2; CDataStream s_rs2(ParseHex("2200208c2353173743b595dfb4a07b72ba8e42e3797da74e87fe7d9d7497e3b2028903"), SER_NETWORK, PROTOCOL_VERSION); s_rs2 >> rs2; m_wallet.AddCScript(rs2); CScript ws1; CDataStream s_ws1(ParseHex("47522103089dc10c7ac6db54f91329af617333db388cead0c231f723379d1b99030b02dc21023add904f3d6dcf59ddb906b0dee23529b7ffb9ed50e5e86151926860221f0e7352ae"), SER_NETWORK, PROTOCOL_VERSION); s_ws1 >> ws1; m_wallet.AddCScript(ws1); // Add hd seed CKey key = DecodeSecret("5KSSJQ7UNfFGwVgpCZDSHm5rVNhMFcFtvWM3zQ8mW4qNDEN7LFd"); // Mainnet and uncompressed form of cUkG8i1RFfWGWy5ziR11zJ5V4U4W3viSFCfyJmZnvQaUsd1xuF3T CPubKey master_pub_key = m_wallet.DeriveNewSeed(key); m_wallet.SetHDSeed(master_pub_key); m_wallet.NewKeyPool(); // Call FillPSBT PartiallySignedTransaction psbtx; CDataStream ssData(ParseHex("70736274ff01009a020000000258e87a21b56daf0c23be8e7070456c336f7cbaa5c8757924f545887bb2abdd750000000000ffffffff838d0427d0ec650a68aa46bb0b098aea4422c071b2ca78352a077959d07cea1d0100000000ffffffff0270aaf00800000000160014d85c2b71d0060b09c9886aeb815e50991dda124d00e1f5050000000016001400aea9a2e5f0f876a588df5546e8742d1d87008f000000000000000000"), SER_NETWORK, PROTOCOL_VERSION); ssData >> psbtx; // Fill transaction with our data FillPSBT(&m_wallet, psbtx, SIGHASH_ALL, false, true); // Get the final tx CDataStream ssTx(SER_NETWORK, PROTOCOL_VERSION); ssTx << psbtx; std::string final_hex = HexStr(ssTx.begin(), ssTx.end()); BOOST_CHECK_EQUAL(final_hex, "70736274ff01009a020000000258e87a21b56daf0c23be8e7070456c336f7cbaa5c8757924f545887bb2abdd750000000000ffffffff838d0427d0ec650a68aa46bb0b098aea4422c071b2ca78352a077959d07cea1d0100000000ffffffff0270aaf00800000000160014d85c2b71d0060b09c9886aeb815e50991dda124d00e1f5050000000016001400aea9a2e5f0f876a588df5546e8742d1d87008f00000000000100bb0200000001aad73931018bd25f84ae400b68848be09db706eac2ac18298babee71ab656f8b0000000048473044022058f6fc7c6a33e1b31548d481c826c015bd30135aad42cd67790dab66d2ad243b02204a1ced2604c6735b6393e5b41691dd78b00f0c5942fb9f751856faa938157dba01feffffff0280f0fa020000000017a9140fb9463421696b82c833af241c78c17ddbde493487d0f20a270100000017a91429ca74f8a08f81999428185c97b5d852e4063f6187650000000104475221029583bf39ae0a609747ad199addd634fa6108559d6c5cd39b4c2183f1ab96e07f2102dab61ff49a14db6a7d02b0cd1fbb78fc4b18312b5b4e54dae4dba2fbfef536d752ae2206029583bf39ae0a609747ad199addd634fa6108559d6c5cd39b4c2183f1ab96e07f10d90c6a4f000000800000008000000080220602dab61ff49a14db6a7d02b0cd1fbb78fc4b18312b5b4e54dae4dba2fbfef536d710d90c6a4f0000008000000080010000800001012000c2eb0b0000000017a914b7f5faf40e3d40a5a459b1db3535f2b72fa921e88701042200208c2353173743b595dfb4a07b72ba8e42e3797da74e87fe7d9d7497e3b2028903010547522103089dc10c7ac6db54f91329af617333db388cead0c231f723379d1b99030b02dc21023add904f3d6dcf59ddb906b0dee23529b7ffb9ed50e5e86151926860221f0e7352ae2206023add904f3d6dcf59ddb906b0dee23529b7ffb9ed50e5e86151926860221f0e7310d90c6a4f000000800000008003000080220603089dc10c7ac6db54f91329af617333db388cead0c231f723379d1b99030b02dc10d90c6a4f00000080000000800200008000220203a9a4c37f5996d3aa25dbac6b570af0650394492942460b354753ed9eeca5877110d90c6a4f000000800000008004000080002202027f6399757d2eff55a136ad02c684b1838b6556e5f1b6b34282a94b6b5005109610d90c6a4f00000080000000800500008000"); } BOOST_AUTO_TEST_CASE(parse_hd_keypath) { std::vector<uint32_t> keypath; BOOST_CHECK(ParseHDKeypath("1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1", keypath)); BOOST_CHECK(!ParseHDKeypath("///////////////////////////", keypath)); BOOST_CHECK(ParseHDKeypath("1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1'/1", keypath)); BOOST_CHECK(!ParseHDKeypath("//////////////////////////'/", keypath)); BOOST_CHECK(ParseHDKeypath("1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/", keypath)); BOOST_CHECK(!ParseHDKeypath("1///////////////////////////", keypath)); BOOST_CHECK(ParseHDKeypath("1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1/1'/", keypath)); BOOST_CHECK(!ParseHDKeypath("1/'//////////////////////////", keypath)); BOOST_CHECK(ParseHDKeypath("", keypath)); BOOST_CHECK(!ParseHDKeypath(" ", keypath)); BOOST_CHECK(ParseHDKeypath("0", keypath)); BOOST_CHECK(!ParseHDKeypath("O", keypath)); BOOST_CHECK(ParseHDKeypath("0000'/0000'/0000'", keypath)); BOOST_CHECK(!ParseHDKeypath("0000,/0000,/0000,", keypath)); BOOST_CHECK(ParseHDKeypath("01234", keypath)); BOOST_CHECK(!ParseHDKeypath("0x1234", keypath)); BOOST_CHECK(ParseHDKeypath("1", keypath)); BOOST_CHECK(!ParseHDKeypath(" 1", keypath)); BOOST_CHECK(ParseHDKeypath("42", keypath)); BOOST_CHECK(!ParseHDKeypath("m42", keypath)); BOOST_CHECK(ParseHDKeypath("4294967295", keypath)); // 4294967295 == 0xFFFFFFFF (uint32_t max) BOOST_CHECK(!ParseHDKeypath("4294967296", keypath)); // 4294967296 == 0xFFFFFFFF (uint32_t max) + 1 BOOST_CHECK(ParseHDKeypath("m", keypath)); BOOST_CHECK(!ParseHDKeypath("n", keypath)); BOOST_CHECK(ParseHDKeypath("m/", keypath)); BOOST_CHECK(!ParseHDKeypath("n/", keypath)); BOOST_CHECK(ParseHDKeypath("m/0", keypath)); BOOST_CHECK(!ParseHDKeypath("n/0", keypath)); BOOST_CHECK(ParseHDKeypath("m/0'", keypath)); BOOST_CHECK(!ParseHDKeypath("m/0''", keypath)); BOOST_CHECK(ParseHDKeypath("m/0'/0'", keypath)); BOOST_CHECK(!ParseHDKeypath("m/'0/0'", keypath)); BOOST_CHECK(ParseHDKeypath("m/0/0", keypath)); BOOST_CHECK(!ParseHDKeypath("n/0/0", keypath)); BOOST_CHECK(ParseHDKeypath("m/0/0/00", keypath)); BOOST_CHECK(!ParseHDKeypath("m/0/0/f00", keypath)); BOOST_CHECK(ParseHDKeypath("m/0/0/000000000000000000000000000000000000000000000000000000000000000000000000000000000000", keypath)); BOOST_CHECK(!ParseHDKeypath("m/1/1/111111111111111111111111111111111111111111111111111111111111111111111111111111111111", keypath)); BOOST_CHECK(ParseHDKeypath("m/0/00/0", keypath)); BOOST_CHECK(!ParseHDKeypath("m/0'/00/'0", keypath)); BOOST_CHECK(ParseHDKeypath("m/1/", keypath)); BOOST_CHECK(!ParseHDKeypath("m/1//", keypath)); BOOST_CHECK(ParseHDKeypath("m/0/4294967295", keypath)); // 4294967295 == 0xFFFFFFFF (uint32_t max) BOOST_CHECK(!ParseHDKeypath("m/0/4294967296", keypath)); // 4294967296 == 0xFFFFFFFF (uint32_t max) + 1 BOOST_CHECK(ParseHDKeypath("m/4294967295", keypath)); // 4294967295 == 0xFFFFFFFF (uint32_t max) BOOST_CHECK(!ParseHDKeypath("m/4294967296", keypath)); // 4294967296 == 0xFFFFFFFF (uint32_t max) + 1 } BOOST_AUTO_TEST_SUITE_END()
[ "cncc.dev@gmail.com" ]
cncc.dev@gmail.com
c900405a5ca9c25406ae62e1acb7687a934f16d3
51021a6aecf17df60a7b620308fcbea58bc7460a
/conf/ui_DPGAddSets.h
20171685d8bc1f6df18d8dba8f03a91f16600c48
[]
no_license
Neomer/energo
53d5cf877821ab8e4848c38b24c8d82a71772ee6
32f4712fb30bba1a8875e9c085f0ff1f7ffa19f7
refs/heads/master
2020-09-24T14:42:13.850898
2019-12-06T06:48:01
2019-12-06T06:48:01
225,782,992
0
0
null
null
null
null
UTF-8
C++
false
false
6,455
h
/******************************************************************************** ** Form generated from reading UI file 'DPGAddSets.ui' ** ** Created by: Qt User Interface Compiler version 4.8.6 ** ** WARNING! All changes made in this file will be lost when recompiling UI file! ********************************************************************************/ #ifndef UI_DPGADDSETS_H #define UI_DPGADDSETS_H #include <QtCore/QVariant> #include <QtGui/QAction> #include <QtGui/QApplication> #include <QtGui/QButtonGroup> #include <QtGui/QGridLayout> #include <QtGui/QHBoxLayout> #include <QtGui/QHeaderView> #include <QtGui/QLabel> #include <QtGui/QLineEdit> #include <QtGui/QPushButton> #include <QtGui/QSpacerItem> #include <QtGui/QVBoxLayout> #include <QtGui/QWidget> QT_BEGIN_NAMESPACE class Ui_DPGAddSets { public: QWidget *horizontalLayoutWidget; QHBoxLayout *mainLayout; QGridLayout *gridLayout; QLabel *label; QHBoxLayout *horizontalLayout_2; QSpacerItem *horizontalSpacer; QPushButton *cmdSave; QPushButton *cmdDrop; QLabel *label_2; QHBoxLayout *horizontalLayout_3; QLineEdit *txtName; QSpacerItem *horizontalSpacer_2; QHBoxLayout *horizontalLayout_4; QVBoxLayout *verticalLayout; QPushButton *cmdAddGroup; QSpacerItem *horizontalSpacer_3; QSpacerItem *verticalSpacer; void setupUi(QWidget *DPGAddSets) { if (DPGAddSets->objectName().isEmpty()) DPGAddSets->setObjectName(QString::fromUtf8("DPGAddSets")); DPGAddSets->resize(585, 525); horizontalLayoutWidget = new QWidget(DPGAddSets); horizontalLayoutWidget->setObjectName(QString::fromUtf8("horizontalLayoutWidget")); horizontalLayoutWidget->setGeometry(QRect(40, 20, 511, 491)); mainLayout = new QHBoxLayout(horizontalLayoutWidget); mainLayout->setObjectName(QString::fromUtf8("mainLayout")); mainLayout->setContentsMargins(10, 6, 6, 6); gridLayout = new QGridLayout(); gridLayout->setContentsMargins(6, 6, 6, 6); gridLayout->setObjectName(QString::fromUtf8("gridLayout")); label = new QLabel(horizontalLayoutWidget); label->setObjectName(QString::fromUtf8("label")); label->setAlignment(Qt::AlignRight|Qt::AlignTop|Qt::AlignTrailing); gridLayout->addWidget(label, 0, 0, 1, 1); horizontalLayout_2 = new QHBoxLayout(); horizontalLayout_2->setContentsMargins(5, 5, 5, 5); horizontalLayout_2->setObjectName(QString::fromUtf8("horizontalLayout_2")); horizontalSpacer = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout_2->addItem(horizontalSpacer); cmdSave = new QPushButton(horizontalLayoutWidget); cmdSave->setObjectName(QString::fromUtf8("cmdSave")); horizontalLayout_2->addWidget(cmdSave); cmdDrop = new QPushButton(horizontalLayoutWidget); cmdDrop->setObjectName(QString::fromUtf8("cmdDrop")); horizontalLayout_2->addWidget(cmdDrop); gridLayout->addLayout(horizontalLayout_2, 4, 1, 1, 1); label_2 = new QLabel(horizontalLayoutWidget); label_2->setObjectName(QString::fromUtf8("label_2")); label_2->setAlignment(Qt::AlignRight|Qt::AlignTop|Qt::AlignTrailing); gridLayout->addWidget(label_2, 1, 0, 1, 1); horizontalLayout_3 = new QHBoxLayout(); horizontalLayout_3->setObjectName(QString::fromUtf8("horizontalLayout_3")); txtName = new QLineEdit(horizontalLayoutWidget); txtName->setObjectName(QString::fromUtf8("txtName")); horizontalLayout_3->addWidget(txtName); horizontalSpacer_2 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout_3->addItem(horizontalSpacer_2); gridLayout->addLayout(horizontalLayout_3, 0, 1, 1, 1); horizontalLayout_4 = new QHBoxLayout(); horizontalLayout_4->setObjectName(QString::fromUtf8("horizontalLayout_4")); verticalLayout = new QVBoxLayout(); verticalLayout->setObjectName(QString::fromUtf8("verticalLayout")); verticalLayout->setContentsMargins(-1, -1, 6, -1); cmdAddGroup = new QPushButton(horizontalLayoutWidget); cmdAddGroup->setObjectName(QString::fromUtf8("cmdAddGroup")); verticalLayout->addWidget(cmdAddGroup); horizontalLayout_4->addLayout(verticalLayout); horizontalSpacer_3 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout_4->addItem(horizontalSpacer_3); gridLayout->addLayout(horizontalLayout_4, 1, 1, 1, 1); verticalSpacer = new QSpacerItem(20, 40, QSizePolicy::Minimum, QSizePolicy::Expanding); gridLayout->addItem(verticalSpacer, 2, 1, 1, 1); mainLayout->addLayout(gridLayout); retranslateUi(DPGAddSets); QObject::connect(cmdAddGroup, SIGNAL(clicked()), DPGAddSets, SLOT(appendChild())); QObject::connect(cmdSave, SIGNAL(clicked()), DPGAddSets, SLOT(saveChanges())); QObject::connect(cmdDrop, SIGNAL(clicked()), DPGAddSets, SLOT(dropChanges())); QMetaObject::connectSlotsByName(DPGAddSets); } // setupUi void retranslateUi(QWidget *DPGAddSets) { DPGAddSets->setWindowTitle(QApplication::translate("DPGAddSets", "Form", 0, QApplication::UnicodeUTF8)); label->setText(QApplication::translate("DPGAddSets", "\320\235\320\260\320\270\320\274\320\265\320\275\320\276\320\262\320\260\320\275\320\270\320\265:", 0, QApplication::UnicodeUTF8)); cmdSave->setText(QApplication::translate("DPGAddSets", "\320\241\320\276\321\205\321\200\320\260\320\275\320\270\321\202\321\214", 0, QApplication::UnicodeUTF8)); cmdDrop->setText(QApplication::translate("DPGAddSets", "\320\241\320\261\321\200\320\276\321\201\320\270\321\202\321\214", 0, QApplication::UnicodeUTF8)); label_2->setText(QApplication::translate("DPGAddSets", "\320\224\320\265\320\271\321\201\321\202\320\262\320\270\321\217:", 0, QApplication::UnicodeUTF8)); cmdAddGroup->setText(QApplication::translate("DPGAddSets", "\320\224\320\276\320\261\320\260\320\262\320\270\321\202\321\214 \320\263\321\200\321\203\320\277\320\277\321\203", 0, QApplication::UnicodeUTF8)); } // retranslateUi }; namespace Ui { class DPGAddSets: public Ui_DPGAddSets {}; } // namespace Ui QT_END_NAMESPACE #endif // UI_DPGADDSETS_H
[ "vinokurov@elewise.com" ]
vinokurov@elewise.com
2bebd7d24fb42b12e300e441d479fa0b703aa330
a3a942e6839b05b0e0032cc7245e64f5646751af
/circular-cylinder_Drag/processor3/40/phi
9d2e1b505b0654f6c66114e6b0372f4cbee2c4aa
[]
no_license
carsumptive/OF-2
8826dc120b8a1f6b9fbd70e47cda6976f80d6ca7
dfb46ab301dfded517b579cb59df02df14bcfd2f
refs/heads/main
2023-04-08T18:45:15.811682
2021-04-08T14:51:19
2021-04-08T14:51:19
355,948,191
0
0
null
null
null
null
UTF-8
C++
false
false
77,523
/*--------------------------------*- C++ -*----------------------------------*\ ========= | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox \\ / O peration | Website: https://openfoam.org \\ / A nd | Version: 7 \\/ M anipulation | \*---------------------------------------------------------------------------*/ FoamFile { version 2.0; format ascii; class surfaceScalarField; location "40"; object phi; } // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // dimensions [0 3 -1 0 0 0 0]; internalField nonuniform List<scalar> 6504 ( -0.000250425 4.02126e-05 -0.000293199 4.27594e-05 -0.000338866 4.56486e-05 -0.000388021 4.91329e-05 -0.000441511 5.34624e-05 5.88786e-05 -0.000500422 -0.00024403 7.89965e-05 -0.000285049 8.37785e-05 -0.000328604 8.92039e-05 -0.000375267 9.5796e-05 -0.000425891 0.000104086 0.000114601 -0.000481613 -0.00023151 0.000114943 -0.000269058 0.000121327 -0.000308416 0.000128562 -0.000350101 0.00013748 -0.000394973 0.000148959 0.00016392 -0.000444292 -0.000213371 0.000146741 -0.000245811 0.000153767 -0.000278942 0.000161694 -0.000313171 0.000171709 -0.000349356 0.000185143 0.000203534 -0.00038897 -0.000190262 0.000173194 -0.000216071 0.000179576 -0.00024103 0.000186652 -0.000265345 0.000196024 -0.000289804 0.000209603 0.000229921 -0.000316191 -0.000162819 -0.000180607 0.000197364 -0.00019556 0.000201605 -0.000207549 0.000208013 -0.000217154 0.000219208 0.000239084 -0.000226317 -0.000139886 0.000205845 -0.000143112 0.000204831 -0.000140445 0.000205345 -0.000132261 0.000211024 0.000226228 -0.000119405 -9.35656e-05 -8.32803e-05 0.000194546 -6.33834e-05 0.000185448 -3.38358e-05 0.000181477 0.000193016 -6.23468e-07 -1.37575e-05 0.000168412 2.6554e-05 0.000145137 8.2715e-05 0.000125316 0.00012267 0.000153061 6.9442e-05 0.000133808 8.07713e-05 0.000221234 3.7889e-05 1.29149e-05 0.000330989 0.000266908 0.000391387 -8.65899e-05 -0.00014435 0.000548652 0.000606848 -0.000255727 -0.000356563 0.000819062 0.000882355 -0.000629019 0.00115481 0.00156039 -0.000602002 0.00010147 -0.000691975 8.98191e-05 -0.000781991 8.98084e-05 -0.000869776 8.75135e-05 -0.0009558 8.5682e-05 -0.00103942 8.32065e-05 -0.00112002 8.01182e-05 -0.00119698 7.64237e-05 -0.00126972 7.21736e-05 -0.00133771 6.74228e-05 -0.00140043 6.22042e-05 -0.00145737 5.65291e-05 -0.00150798 5.03555e-05 -0.00155162 4.36133e-05 -0.00158761 3.62315e-05 -0.00161522 2.81668e-05 -0.00163374 1.94005e-05 -0.00164257 1.00255e-05 -0.00164112 -1.15947e-07 -0.00162975 -9.77669e-06 -0.00160794 -2.00167e-05 -0.00157561 -3.04591e-05 -0.00153292 -4.0819e-05 -0.00148023 -5.09096e-05 -0.00141809 -6.05236e-05 -0.00134722 -6.94962e-05 -0.00126842 -7.77038e-05 -0.00118263 -8.50335e-05 -0.00109077 -9.14481e-05 -0.000993892 -9.68288e-05 -0.000892911 -0.000101278 -0.000788735 -0.000104802 -0.000682223 -0.000107433 -0.000574131 -0.00010927 -0.000465106 -0.000110413 -0.00035576 -0.000110899 -0.000246568 -0.000110865 -0.000137949 -0.000110361 -3.02306e-05 -0.000109486 7.635e-05 -0.000108329 0.00018158 -0.00010692 0.000285398 -0.000105413 0.00038765 -0.000103718 0.000488513 -0.000102172 0.000587826 -0.000100438 0.000686033 -9.91236e-05 0.000783345 -9.79962e-05 0.000879496 -9.65775e-05 0.000978266 -9.89172e-05 -9.66481e-05 -2.53561e-07 -0.000581009 0.000200866 -0.000668487 0.000177297 -0.000756211 0.000177532 -0.000841772 0.000173075 -0.000925507 0.000169417 -0.00100679 0.000164487 -0.001085 0.000158327 -0.00115953 0.000150955 -0.00122982 0.000142465 -0.00129535 0.000132956 -0.00135563 0.000122484 -0.00141017 0.000111066 -0.00145843 9.8617e-05 -0.00149981 8.49945e-05 -0.00153364 7.00603e-05 -0.00155921 5.37386e-05 -0.00157583 3.60155e-05 -0.00158282 1.70182e-05 -0.00157999 -2.94625e-06 -0.0015672 -2.25621e-05 -0.0015442 -4.30244e-05 -0.00151087 -6.37864e-05 -0.00146738 -8.43085e-05 -0.00141409 -0.000104203 -0.00135154 -0.000123067 -0.00128046 -0.00014058 -0.00120165 -0.000156518 -0.00111601 -0.00017067 -0.00102446 -0.000182994 -0.000928051 -0.000193241 -0.000827673 -0.000201656 -0.000724216 -0.000208259 -0.000618527 -0.000213122 -0.000511344 -0.000216453 -0.000403297 -0.000218461 -0.000294987 -0.000219209 -0.000186871 -0.00021898 -7.93584e-05 -0.000217874 2.72363e-05 -0.00021608 0.000132684 -0.000213776 0.000236782 -0.000211018 0.000339474 -0.000208105 0.000440621 -0.000204865 0.000540385 -0.000201936 0.000638649 -0.000198702 0.000735782 -0.000196256 0.000832108 -0.000194322 0.000927224 -0.000191694 0.00102475 -0.000196447 -0.000192639 -0.000539478 0.000296052 -0.00062215 0.000259969 -0.000705419 0.0002608 -0.000786666 0.000254322 -0.000865952 0.000248703 -0.000942682 0.000241217 -0.00101624 0.000231882 -0.00108604 0.00022076 -0.00115157 0.000207991 -0.00121233 0.00019372 -0.00126788 0.000178027 -0.00131775 0.000160938 -0.00136146 0.000142332 -0.00139846 0.000121995 -0.00142812 9.97127e-05 -0.00144975 7.53698e-05 -0.00146269 4.89572e-05 -0.00146628 2.06125e-05 -0.00146053 -8.7023e-06 -0.00144514 -3.79462e-05 -0.00141986 -6.83112e-05 -0.00138464 -9.90063e-05 -0.00133964 -0.000129301 -0.00128524 -0.000158609 -0.00122197 -0.000186338 -0.00115053 -0.000212014 -0.00107173 -0.000235321 -0.000986444 -0.000255955 -0.000895548 -0.00027389 -0.000800081 -0.000288708 -0.000700904 -0.000300833 -0.000598866 -0.000310297 -0.000494785 -0.000317203 -0.000389372 -0.000321865 -0.000283218 -0.000324615 -0.000176907 -0.000325521 -7.08608e-05 -0.000325026 3.45298e-05 -0.000323265 0.00013897 -0.000320521 0.000242251 -0.000317057 0.000344191 -0.000312958 0.000444734 -0.000308648 0.000543776 -0.000303907 0.000641442 -0.000299602 0.000737708 -0.000294968 0.000832793 -0.000291341 0.000927231 -0.00028876 0.00102038 -0.000284845 0.00111556 -0.000291625 -0.000286844 -0.00047819 0.000385272 -0.000554133 0.000335912 -0.000631042 0.000337709 -0.000706144 0.000329425 -0.000779078 0.000321637 -0.00084929 0.000311429 -0.000916178 0.000298771 -0.000979212 0.000283794 -0.00103792 0.000266695 -0.00109186 0.000247663 -0.00114064 0.000226803 -0.00118385 0.000204151 -0.00122108 0.000179566 -0.00125184 0.000152757 -0.00127556 0.000123426 -0.00129159 9.14074e-05 -0.00129933 5.66974e-05 -0.00129814 1.9419e-05 -0.00128827 -1.85675e-05 -0.00126921 -5.7011e-05 -0.00124075 -9.67702e-05 -0.00120291 -0.000136843 -0.00115587 -0.000176345 -0.00109997 -0.000214508 -0.00103576 -0.000250551 -0.000963926 -0.000283847 -0.000885237 -0.000314009 -0.000800549 -0.000340644 -0.000710665 -0.000363774 -0.000616619 -0.000382754 -0.000519217 -0.000398235 -0.000419252 -0.000410262 -0.000317501 -0.000418954 -0.000214642 -0.000424724 -0.000111189 -0.000428068 -7.68467e-06 -0.000429025 9.53753e-05 -0.000428086 0.000197756 -0.000425646 0.00029916 -0.000421925 0.000399389 -0.000417286 0.000498294 -0.000411864 0.000595819 -0.000406173 0.00069191 -0.000399998 0.000786634 -0.000394326 0.0008801 -0.000388435 0.000972317 -0.000383557 0.00106409 -0.000380532 0.00115451 -0.000375264 0.00124644 -0.000383558 -0.000378469 -0.000397942 0.000467023 -0.000465861 0.000403831 -0.000534874 0.000406721 -0.000602361 0.000396912 -0.000667396 0.000386672 -0.000729466 0.000373499 -0.000788014 0.000357319 -0.000842575 0.000338355 -0.00089275 0.00031687 -0.000938177 0.000293091 -0.000978517 0.000267142 -0.00101344 0.000239075 -0.00104262 0.000208741 -0.00106563 0.000175773 -0.00108199 0.00013978 -0.00109111 0.000100529 -0.00109241 5.79931e-05 -0.00108539 1.24084e-05 -0.00107048 -3.34835e-05 -0.00104694 -8.05487e-05 -0.00101466 -0.000129049 -0.000973709 -0.000177796 -0.000924265 -0.000225789 -0.000866674 -0.000272099 -0.000801457 -0.000315768 -0.000729294 -0.00035601 -0.000650917 -0.000392387 -0.000567135 -0.000424426 -0.000478663 -0.000452246 -0.000386514 -0.000474903 -0.000291442 -0.000493307 -0.000194148 -0.000507556 -9.5353e-05 -0.000517749 4.41841e-06 -0.000524496 0.00010431 -0.000527959 0.000204203 -0.000528918 0.000303651 -0.000527534 0.00040232 -0.000524315 0.000499983 -0.000519588 0.000596464 -0.000513768 0.000691657 -0.000507056 0.000785491 -0.000500007 0.000877987 -0.000492494 0.000969123 -0.000485462 0.00105918 -0.000478491 0.00114791 -0.000472291 0.00123641 -0.000469028 0.00132354 -0.000462394 0.0014116 -0.00047162 -0.000466854 -0.000299142 0.000539848 -0.000358643 0.000463332 -0.000418689 0.000466768 -0.000477532 0.000455755 -0.000533547 0.000442687 -0.000586259 0.000426211 -0.000635196 0.000406255 -0.000679988 0.000383147 -0.000720337 0.000357219 -0.000755971 0.000328724 -0.00078663 0.000297802 -0.000812064 0.000264509 -0.000832028 0.000228706 -0.000846209 0.000189954 -0.000854181 0.000147752 -0.000855432 0.00010178 -0.000849658 5.22192e-05 -0.00083583 -1.41999e-06 -0.00081542 -5.38931e-05 -0.000786884 -0.000109084 -0.000750409 -0.000165524 -0.000706093 -0.000222112 -0.000654133 -0.000277749 -0.000594853 -0.000331378 -0.000528744 -0.000381877 -0.00045646 -0.000428293 -0.000378693 -0.000470154 -0.000296228 -0.000506892 -0.000209577 -0.000538897 -0.000119796 -0.000564684 -2.74755e-05 -0.000585627 6.64821e-05 -0.000601514 0.00016167 -0.000612937 0.000257502 -0.000620328 0.000353558 -0.000624016 0.00044936 -0.000624719 0.000544613 -0.000622787 0.000639041 -0.000618743 0.000732458 -0.000613005 0.000824703 -0.000606013 0.000915717 -0.00059807 0.00100541 -0.000589697 0.00109388 -0.000580969 0.00118101 -0.000572586 0.00126725 -0.000564739 0.00135212 -0.000557155 0.00143692 -0.000553832 0.00152042 -0.000545896 0.00160428 -0.000555473 -0.000551518 -0.000181244 0.000601687 -0.000233202 0.00051529 -0.000283789 0.000517355 -0.000333426 0.000505392 -0.000379777 0.000489038 -0.000422363 0.000468797 -0.000460856 0.000444749 -0.000495022 0.000417314 -0.000524694 0.000386891 -0.000549711 0.000353741 -0.000569905 0.000317996 -0.000585111 0.000279715 -0.000595174 0.000238769 -0.000599881 0.000194661 -0.000598892 0.000146763 -0.000591774 9.46618e-05 -0.000577789 3.82339e-05 -0.000558295 -2.09135e-05 -0.000531434 -8.07548e-05 -0.000497705 -0.000142813 -0.00045697 -0.00020626 -0.000409324 -0.000269757 -0.000354981 -0.000332093 -0.000294231 -0.000392129 -0.00022751 -0.000448598 -0.000155447 -0.000500355 -7.86156e-05 -0.000546986 2.68854e-06 -0.000588196 8.63015e-05 -0.00062251 0.000173052 -0.000651435 0.000261875 -0.000674449 0.000352176 -0.000691815 0.000443375 -0.000704136 0.000534975 -0.000711928 0.000626613 -0.000715653 0.0007179 -0.000716007 0.000808585 -0.000713472 0.000898426 -0.000708584 0.000987283 -0.000701862 0.001075 -0.000693732 0.00116158 -0.000684649 0.00124688 -0.000675001 0.00133113 -0.000665212 0.00141404 -0.000655496 0.00149628 -0.000646986 0.00157712 -0.000637991 0.00165802 -0.000634732 0.00173776 -0.000625639 0.00181733 -0.000635041 -0.000632195 -4.02424e-05 0.000641305 -8.96917e-05 0.000564739 -0.000130438 0.000558101 -0.000170821 0.000545774 -0.000207356 0.000525573 -0.00023952 0.000500961 -0.0002672 0.000472429 -0.000290346 0.000440459 -0.000308959 0.000405504 -0.000323012 0.000367794 -0.000332444 0.000327428 -0.000337178 0.000284449 -0.000337143 0.000238734 -0.000332229 0.000189747 -0.000322178 0.000136712 -0.000306679 7.9163e-05 -0.000285169 1.67242e-05 -0.000258761 -4.73217e-05 -0.000226216 -0.0001133 -0.000187505 -0.000181524 -0.00014275 -0.000251016 -9.20447e-05 -0.000320462 -3.55304e-05 -0.000388607 2.6272e-05 -0.000453931 9.27935e-05 -0.00051512 0.000163944 -0.000571506 0.000239051 -0.000622093 0.000317414 -0.000666558 0.000398734 -0.000703831 0.000482144 -0.000734845 0.000567139 -0.000759444 0.00065325 -0.000777925 0.000740006 -0.000790893 0.000826991 -0.000798913 0.000913896 -0.000802557 0.0010004 -0.000802508 0.00108629 -0.000799365 0.00117136 -0.000793657 0.00125552 -0.000786022 0.00133861 -0.000776821 0.00142069 -0.000766725 0.00150156 -0.000755874 0.00158155 -0.000745202 0.00166025 -0.000734193 0.00173849 -0.00072523 0.00181535 -0.000714844 0.00189233 -0.000711718 0.00196836 -0.000701662 0.00204379 -0.000710479 -0.000708834 0.000116432 0.000677935 7.43487e-05 0.000606822 4.27116e-05 0.000589738 1.11888e-05 0.000577297 -1.58842e-05 0.000552646 -3.7901e-05 0.000522977 -5.49064e-05 0.000489435 -6.71388e-05 0.000452691 -7.48186e-05 0.000413184 -7.80818e-05 0.000371058 -7.69809e-05 0.000326327 -7.15285e-05 0.000278996 -6.17306e-05 0.000228936 -4.75566e-05 0.000175573 -2.87788e-05 0.000117934 -5.00249e-06 5.53867e-05 2.31116e-05 -1.13898e-05 5.56275e-05 -7.98376e-05 9.34444e-05 -0.000151117 0.000136439 -0.000224518 0.000184474 -0.000299051 0.000237406 -0.000373394 0.000295008 -0.000446209 0.000357033 -0.000515957 0.000423169 -0.000581256 0.000492913 -0.000641249 0.000565797 -0.000694977 0.000641282 -0.000742043 0.000719059 -0.000781609 0.000798503 -0.000814288 0.000879174 -0.000840116 0.000960686 -0.000859437 0.00104266 -0.000872869 0.00112476 -0.000881013 0.00120673 -0.00088453 0.00128831 -0.000884087 0.00136934 -0.00088039 0.00144962 -0.000873938 0.00152911 -0.000865508 0.00160763 -0.000855343 0.0016853 -0.000844397 0.00176187 -0.000832445 0.00183776 -0.000821091 0.00191242 -0.000808853 0.00198683 -0.000799637 0.00205991 -0.00078793 0.00213316 -0.000784967 0.00220565 -0.000774154 0.0022773 -0.000782122 -0.000781588 0.000299685 0.000709239 0.000264172 0.000642335 0.000238392 0.000615518 0.000215011 0.000600678 0.00019667 0.000570987 0.000184225 0.000535423 0.000177267 0.000496393 0.000175292 0.000454666 0.000177833 0.000410642 0.000184577 0.000364313 0.000195353 0.000315551 0.000210062 0.000264287 0.000228633 0.000210366 0.000251016 0.00015319 0.000277342 9.16087e-05 0.000307945 2.47832e-05 0.000341602 -4.50466e-05 0.000379572 -0.000117807 0.000421687 -0.000193233 0.000467975 -0.000270806 0.000518307 -0.000349383 0.000572533 -0.000427619 0.000630444 -0.00050412 0.000691821 -0.000577334 0.000756401 -0.000645835 0.000823799 -0.000708648 0.000893644 -0.000764822 0.000965511 -0.000813909 0.00103915 -0.000855249 0.0011141 -0.000889238 0.00119002 -0.000916036 0.0012666 -0.00093602 0.00134356 -0.000949826 0.00142062 -0.000958076 0.00149759 -0.000961499 0.00157425 -0.000960743 0.00165047 -0.000956611 0.00172608 -0.000949549 0.00180107 -0.000940492 0.00187523 -0.000929511 0.00194875 -0.000917914 0.0020213 -0.000904992 0.00209337 -0.000893167 0.00216432 -0.000879805 0.0022352 -0.000870515 0.00230487 -0.0008576 0.00237472 -0.000854815 0.00244398 -0.000843417 0.0025123 -0.000850442 -0.000850779 0.00051776 0.000740131 0.000484697 0.000675398 0.000463714 0.000636501 0.000446888 0.000617504 0.000435845 0.00058203 0.00043147 0.000539798 0.000433129 0.000494734 0.000439966 0.000447829 0.00045123 0.000399378 0.000466417 0.000349127 0.000485238 0.00029673 0.00050753 0.000241995 0.000533177 0.000184718 0.000562081 0.000124286 0.00059426 5.94302e-05 0.000629819 -1.07762e-05 0.000667823 -8.3051e-05 0.000709215 -0.000159199 0.000753966 -0.000237983 0.000801968 -0.000318808 0.00085309 -0.000400505 0.000907186 -0.000481716 0.000964077 -0.00056101 0.00102358 -0.00063684 0.00108551 -0.000707761 0.00114958 -0.000772719 0.00121553 -0.000830772 0.00128305 -0.000881434 0.00135198 -0.000924173 0.00142198 -0.00095924 0.00149282 -0.000986871 0.00156426 -0.00100746 0.00163609 -0.00102166 0.0017081 -0.00103009 0.00178014 -0.00103354 0.00185202 -0.00103262 0.00192365 -0.00102824 0.00199486 -0.00102076 0.00206565 -0.00101129 0.00213582 -0.000999677 0.00220556 -0.000987651 0.00227449 -0.000973924 0.00234316 -0.000961843 0.00241085 -0.000947494 0.00247863 -0.000938288 0.00254534 -0.000924312 0.00261225 -0.000921729 0.00267869 -0.000909854 0.00274426 -0.000916007 -0.000916859 0.000778754 0.000780438 0.000745638 0.000708515 0.000727294 0.000654844 0.00071511 0.000629689 0.000709264 0.000587876 0.000710656 0.000538407 0.000718533 0.000486856 0.000731713 0.000434649 0.000749158 0.000381934 0.000770181 0.000328103 0.000794406 0.000272505 0.00082163 0.000214771 0.000851735 0.000154613 0.000884555 9.14662e-05 0.00092033 2.36545e-05 0.000957695 -4.81408e-05 0.000997876 -0.000123232 0.00104049 -0.000201816 0.0010857 -0.000283188 0.00113337 -0.000366476 0.00118337 -0.000450512 0.00123559 -0.000533933 0.00128988 -0.000615298 0.00134611 -0.000693074 0.00140417 -0.000765821 0.00146389 -0.000832435 0.0015251 -0.000891986 0.00158762 -0.000943957 0.00165135 -0.000987901 0.00171608 -0.00102397 0.00178165 -0.00105244 0.0018479 -0.00107371 0.00191468 -0.00108843 0.0019818 -0.00109722 0.00204916 -0.0011009 0.00211659 -0.00110005 0.002184 -0.00109565 0.00225122 -0.00108798 0.00231828 -0.00107834 0.00238493 -0.00106633 0.00245138 -0.00105411 0.00251723 -0.00103977 0.00258302 -0.00102763 0.00264799 -0.00101247 0.00271319 -0.00100348 0.00277748 -0.000988607 0.00284202 -0.000986271 0.00290612 -0.000973956 0.00296956 -0.000979447 -0.000980369 0.00109244 0.000842814 0.00105823 0.000742722 0.00104072 0.00067235 0.00103082 0.000639587 0.00102716 0.000591542 0.00103074 0.000534824 0.001041 0.000476593 0.00105659 0.000419062 0.00107624 0.000362281 0.00109914 0.000305211 0.00112484 0.000246806 0.00115317 0.000186441 0.001184 0.000123776 0.0012171 5.83653e-05 0.00125248 -1.17273e-05 0.00128919 -8.48507e-05 0.00132806 -0.000162099 0.00136897 -0.000242728 0.0014119 -0.000326118 0.00145674 -0.000411313 0.00150338 -0.000497148 0.00155171 -0.000582268 0.00160165 -0.000665239 0.00165314 -0.000744559 0.00170612 -0.000818803 0.00176053 -0.000886842 0.00181629 -0.000947751 0.00187332 -0.00100099 0.00193158 -0.00104616 0.00199095 -0.00108334 0.00205132 -0.00111281 0.00211257 -0.00113496 0.00217459 -0.00115045 0.00223723 -0.00115985 0.00230037 -0.00116404 0.00236386 -0.00116353 0.00242761 -0.00115941 0.00249144 -0.00115181 0.00255536 -0.00114226 0.00261912 -0.00113008 0.00268291 -0.0011179 0.00274631 -0.00110317 0.00280982 -0.00109115 0.00287272 -0.00107538 0.00293593 -0.00106669 0.00299843 -0.0010511 0.00306122 -0.00104906 0.00312354 -0.00103628 0.00318554 -0.00104145 -0.00104189 0.00147227 0.000930937 0.00144097 0.000774016 0.00142275 0.000690573 0.00141086 0.000651473 0.001404 0.000598404 0.00140372 0.000535102 0.00141003 0.000470286 0.00142168 0.000407411 0.00143737 0.000346594 0.00145621 0.000286368 0.00147777 0.000225253 0.00150185 0.000162353 0.00152833 9.72969e-05 0.00155713 2.95726e-05 0.00158721 -4.18065e-05 0.00161937 -0.000117019 0.00165331 -0.00019604 0.0016891 -0.000278518 0.00172669 -0.000363701 0.00176598 -0.000450601 0.00180688 -0.00053805 0.00184932 -0.000624713 0.00189326 -0.000709182 0.00193869 -0.000789986 0.00198561 -0.000865725 0.00203403 -0.000935257 0.00208394 -0.000997659 0.00213531 -0.00105236 0.00218814 -0.00109899 0.00224236 -0.00113756 0.00229789 -0.00116834 0.00235462 -0.00119169 0.00241244 -0.00120827 0.0024712 -0.00121862 0.00253079 -0.00122363 0.00259103 -0.00122377 0.00265183 -0.0012202 0.00271298 -0.00121296 0.00277448 -0.00120377 0.00283607 -0.00119167 0.00289789 -0.00117972 0.00295954 -0.00116482 0.00302146 -0.00115307 0.00308297 -0.00113688 0.00314486 -0.00112859 0.00320617 -0.0011124 0.00326793 -0.00111082 0.00332899 -0.00109734 0.00339036 -0.00110282 -0.00110197 0.00196764 0.000982319 0.00194243 0.000799227 0.00191181 0.000721189 0.0018857 0.000677582 0.00186397 0.000620137 0.00184839 0.000550679 0.00183964 0.00047904 0.00183682 0.000410226 0.00183878 0.00034464 0.00184465 0.000280491 0.00185399 0.00021592 0.00186658 0.000149758 0.00188234 8.1538e-05 0.00190048 1.14315e-05 0.00192083 -6.21579e-05 0.00194368 -0.000139866 0.00196878 -0.000221138 0.00199605 -0.000305792 0.00202541 -0.000393063 0.00205675 -0.000481938 0.00208996 -0.000571258 0.00212496 -0.000659717 0.00216172 -0.000745938 0.00220023 -0.000828495 0.00224052 -0.000906014 0.00228261 -0.000977348 0.00232652 -0.00104158 0.00237226 -0.0010981 0.00241982 -0.00114655 0.00246916 -0.00118689 0.0025202 -0.00121938 0.00257283 -0.00124433 0.00262695 -0.00126238 0.00268239 -0.00127406 0.00273901 -0.00128026 0.00279663 -0.00128139 0.00285513 -0.0012787 0.00291429 -0.00127213 0.00297405 -0.00126353 0.0030342 -0.00125182 0.00309472 -0.00124024 0.00315544 -0.00122554 0.00321633 -0.00121395 0.0032774 -0.00119796 0.00333832 -0.0011895 0.00339975 -0.00117384 0.00346025 -0.00117132 0.00352214 -0.00115923 0.00358159 -0.00116227 -0.0011624 0.0295497 0.00186348 0.0286225 0.00172638 0.0277857 0.001558 0.0270654 0.0013979 0.0264329 0.00125268 0.0258643 0.00111922 0.0253518 0.000991522 0.0248944 0.000867645 0.0244917 0.000747323 0.024142 0.000630217 0.0238423 0.000515599 0.0235895 0.000402591 0.0233809 0.000290159 0.0232167 0.000175644 0.0230873 6.72081e-05 0.0229874 -4.0013e-05 0.0229188 -0.000152529 0.0228765 -0.000263479 0.0228562 -0.000372745 0.022854 -0.000479713 0.0228665 -0.000583767 0.022891 -0.000684195 0.0229252 -0.000780184 0.0229676 -0.000870862 0.023017 -0.000955407 0.0230727 -0.0010331 0.0231345 -0.0011034 0.0232024 -0.00116592 0.0232763 -0.00122052 0.0233566 -0.00126717 0.0234433 -0.0013061 0.0235366 -0.00133757 0.0236363 -0.00136213 0.0237424 -0.00138013 0.0238546 -0.00139242 0.0239724 -0.00139928 0.0240956 -0.00140184 0.0242236 -0.00140011 0.0243557 -0.00139565 0.0244918 -0.00138791 0.0246306 -0.00137909 0.0247729 -0.0013678 0.0249161 -0.00135714 0.0250628 -0.00134463 0.0252076 -0.00133433 0.0253568 -0.00132304 0.0255 -0.00131456 0.0256482 -0.00130739 0.0257868 -0.00130085 -0.00129949 0.0341725 0.00191809 0.0341423 0.00175661 0.0340653 0.00163499 0.033951 0.00151221 0.033817 0.00138666 0.0336744 0.00126187 0.0335266 0.00113924 0.0333758 0.00101846 0.0332243 0.000898853 0.0330746 0.00077995 0.0329286 0.000661551 0.0327875 0.000543672 0.0326513 0.000426412 0.0325168 0.000310134 0.0323886 0.000195353 0.0322656 8.30039e-05 0.0321425 -2.93986e-05 0.0320286 -0.00014959 0.0319189 -0.000263079 0.0318117 -0.000372501 0.0317062 -0.000478295 0.0316021 -0.00058004 0.0314989 -0.000676992 0.0313965 -0.000768411 0.0312948 -0.000853707 0.031194 -0.000932389 0.0310948 -0.00100412 0.0309975 -0.00106863 0.0309028 -0.00112584 0.0308113 -0.00117571 0.0307236 -0.00121839 0.0306402 -0.00125416 0.0305616 -0.00128351 0.0304882 -0.00130671 0.0304201 -0.00132438 0.0303577 -0.00133687 0.0303009 -0.001345 0.0302498 -0.001349 0.030204 -0.00134989 0.0301638 -0.00134767 0.0301283 -0.00134366 0.030098 -0.00133741 0.0300715 -0.0013307 0.0300493 -0.0013224 0.03003 -0.001315 0.0300132 -0.00130628 0.0299985 -0.00129983 0.029983 -0.00129191 0.02997 -0.00128788 -0.00128377 0.0346359 0.00177803 0.0347312 0.00166139 0.0348133 0.00155285 0.034883 0.00144253 0.0349377 0.00133197 0.0349778 0.00122177 0.0350048 0.00111224 0.0350195 0.00100374 0.0350221 0.000896229 0.0350143 0.000787798 0.0349968 0.000679032 0.0349703 0.000570161 0.0349353 0.00046137 0.0348927 0.000352736 0.0348438 0.000244276 0.0347909 0.000135864 0.0347349 2.66692e-05 0.0346606 -7.53152e-05 0.034574 -0.000176471 0.0344781 -0.000276557 0.0343733 -0.000373527 0.0342596 -0.000466314 0.0341373 -0.00055469 0.0340074 -0.000638507 0.033871 -0.000717341 0.0337292 -0.000790625 0.0335832 -0.000858089 0.0334341 -0.000919519 0.0332831 -0.000974845 0.0331314 -0.00102404 0.0329803 -0.00106724 0.0328307 -0.0011046 0.0326836 -0.00113643 0.0325399 -0.00116295 0.0324001 -0.00118465 0.032265 -0.00120176 0.0321349 -0.00121492 0.0320103 -0.00122431 0.0318911 -0.00123072 0.0317776 -0.00123416 0.0316696 -0.00123565 0.031567 -0.00123486 0.0314695 -0.00123317 0.0313768 -0.00122969 0.0312882 -0.0012264 0.0312034 -0.0012215 0.0311216 -0.00121806 0.0310424 -0.00121272 0.0309649 -0.00121029 -0.00120199 0.034073 0.0016116 0.0342236 0.0015108 0.0343636 0.00141279 0.0344886 0.00131757 0.034598 0.00122259 0.0346924 0.00112734 0.0347729 0.0010317 0.034841 0.000935701 0.0348979 0.000839352 0.0349431 0.000742591 0.0349766 0.000645505 0.0349987 0.000548069 0.0350102 0.000449822 0.0350104 0.000352598 0.0349979 0.000256764 0.0349712 0.000162566 0.0349273 7.05891e-05 0.0348717 -1.98051e-05 0.0348073 -0.000112005 0.0347309 -0.000200215 0.0346428 -0.000285436 0.0345442 -0.000367682 0.0344361 -0.000446552 0.0343192 -0.000521588 0.0341942 -0.000592435 0.0340624 -0.0006588 0.0339248 -0.000720485 0.0337826 -0.000777327 0.033637 -0.000829266 0.0334893 -0.000876258 0.0333404 -0.000918384 0.0331915 -0.000955707 0.0330435 -0.000988447 0.0328973 -0.00101674 0.0327536 -0.00104094 0.0326131 -0.0010612 0.0324761 -0.00107798 0.0323432 -0.00109141 0.0322146 -0.00110209 0.0320904 -0.00110998 0.0319706 -0.00111591 0.0318553 -0.00111954 0.0317442 -0.00112204 0.0316371 -0.00112255 0.0315335 -0.00112285 0.0314332 -0.00112114 0.0313353 -0.00112023 0.0312394 -0.00111676 0.0311446 -0.0011155 -0.00111172 0.0335067 0.0014268 0.0336659 0.00135151 0.0338097 0.00126903 0.0339403 0.001187 0.0340575 0.00110536 0.0341614 0.00102341 0.0342525 0.000940646 0.0343313 0.000856928 0.0343982 0.000772392 0.0344535 0.00068729 0.0344972 0.000601816 0.0345291 0.000516196 0.034548 0.000430874 0.0345541 0.000346475 0.0345477 0.00026321 0.0345299 0.00018038 0.0345028 9.77279e-05 0.034468 1.49538e-05 0.0344196 -6.36184e-05 0.0343601 -0.000140714 0.0342906 -0.000215903 0.0342114 -0.000288557 0.0341232 -0.000358327 0.0340266 -0.000424952 0.0339224 -0.000488214 0.0338115 -0.000547906 0.0336949 -0.000603866 0.0335735 -0.000655955 0.0334483 -0.000704103 0.0333203 -0.000748253 0.0331904 -0.00078844 0.0330594 -0.000824693 0.0329281 -0.000857152 0.0327972 -0.000885903 0.0326675 -0.000911187 0.0325394 -0.000933104 0.0324134 -0.000951995 0.0322899 -0.000967914 0.0321691 -0.000981325 0.0320513 -0.000992174 0.0319365 -0.0010011 0.0318248 -0.0010078 0.031716 -0.00101322 0.03161 -0.00101662 0.0315066 -0.00101943 0.0314056 -0.00102018 0.0313066 -0.00102122 0.0312097 -0.0010198 0.0311141 -0.00101998 -0.00101632 0.0330031 0.00125973 0.0331544 0.00120014 0.0332908 0.0011327 0.0334143 0.00106343 0.0335261 0.000993643 0.0336261 0.000923334 0.0337147 0.000852127 0.0337918 0.000779821 0.0338576 0.000706509 0.0339125 0.000632476 0.0339562 0.000558051 0.0339889 0.000483541 0.0340106 0.000409153 0.0340221 0.000334981 0.0340242 0.000261094 0.034017 0.000187639 0.0339998 0.000114896 0.0339715 4.32649e-05 0.0339344 -2.65619e-05 0.033888 -9.43198e-05 0.0338325 -0.000160397 0.0337684 -0.00022449 0.0336964 -0.000286307 0.0336171 -0.000345594 0.033531 -0.000402153 0.0334389 -0.000455822 0.0333415 -0.000506473 0.0332396 -0.000553995 0.0331338 -0.000598328 0.0330249 -0.000639399 0.0329137 -0.000677217 0.0328008 -0.000711789 0.0326869 -0.000743204 0.0325725 -0.00077151 0.0324582 -0.00079687 0.0323444 -0.000819346 0.0322316 -0.000839178 0.0321201 -0.000856402 0.0320101 -0.00087135 0.0319019 -0.000883977 0.0317956 -0.000894749 0.0316912 -0.000903445 0.0315887 -0.000910753 0.0314882 -0.000916128 0.0313895 -0.000920656 0.0312925 -0.000923213 0.0311969 -0.000925604 0.0311027 -0.000925669 0.0310092 -0.000926468 -0.000923582 0.0325551 0.00111058 0.0326935 0.00106179 0.0328195 0.00100668 0.0329336 0.000949289 0.0330368 0.000890465 0.0331296 0.000830508 0.0332124 0.000769416 0.033285 0.000707165 0.0333477 0.000643856 0.0334004 0.000579707 0.0334435 0.00051498 0.0334771 0.000449912 0.0335016 0.000384707 0.033517 0.00031955 0.0335234 0.000254673 0.0335208 0.000190311 0.033509 0.000126696 0.0334883 6.39156e-05 0.0334602 1.59713e-06 0.0334234 -5.76111e-05 0.033379 -0.000115969 0.0333272 -0.000172705 0.0332685 -0.000227566 0.0332033 -0.000280375 0.0331321 -0.000330976 0.0330555 -0.000379226 0.032974 -0.000425013 0.0328883 -0.000468242 0.0327988 -0.00050885 0.0327062 -0.000546783 0.032611 -0.000582032 0.0325138 -0.000614589 0.0324151 -0.000644504 0.0323154 -0.000671797 0.0322151 -0.000696574 0.0321146 -0.000718874 0.0320143 -0.000738864 0.0319145 -0.000756562 0.0318153 -0.000772207 0.0317171 -0.000785755 0.0316199 -0.000797554 0.0315239 -0.000807424 0.031429 -0.000815891 0.0313354 -0.000822521 0.0312429 -0.000828157 0.0311516 -0.000831899 0.0310612 -0.000835158 0.0309717 -0.000836195 0.0308827 -0.0008375 -0.000836135 0.0321587 0.000979509 0.032281 0.000939476 0.0323937 0.000893997 0.0324969 0.000846092 0.0325909 0.000796471 0.0326759 0.000745433 0.0327523 0.00069309 0.0328199 0.00063952 0.0328789 0.000584852 0.0329293 0.000529277 0.0329713 0.000473021 0.0330049 0.000416317 0.0330302 0.000359388 0.0330473 0.000302447 0.0330563 0.000245694 0.0330573 0.000189307 0.0330505 0.000133443 0.0330362 7.82445e-05 0.033014 2.38355e-05 0.0329855 -2.90977e-05 0.0329501 -8.05834e-05 0.0329082 -0.000130817 0.0328602 -0.000179571 0.0328065 -0.000226663 0.0327475 -0.000271948 0.0326835 -0.000315307 0.0326152 -0.000356644 0.0325428 -0.000395876 0.0324669 -0.000432943 0.0323879 -0.000467799 0.0323063 -0.000500422 0.0322225 -0.000530798 0.032137 -0.000558946 0.03205 -0.000584871 0.0319621 -0.000608639 0.0318735 -0.000630272 0.0317845 -0.000649878 0.0316954 -0.000667471 0.0316064 -0.000683211 0.0315177 -0.000697073 0.0314295 -0.00070929 0.0313418 -0.000719748 0.0312547 -0.000728806 0.0311684 -0.000736171 0.0310826 -0.000742428 0.0309977 -0.000746955 0.0309133 -0.00075076 0.0308297 -0.000752622 0.0307466 -0.000754339 -0.000753389 0.0318026 0.000865423 0.0319101 0.000831954 0.0320101 0.000793981 0.0321024 0.000753736 0.0321872 0.000711733 0.0322644 0.000668232 0.0323341 0.00062337 0.0323964 0.000577267 0.0324511 0.00053007 0.0324985 0.000481962 0.0325383 0.00043315 0.0325708 0.000383844 0.0325959 0.000334247 0.0326138 0.000284545 0.0326246 0.000234907 0.0326284 0.000185495 0.0326254 0.000136455 0.0326157 8.79413e-05 0.0325995 4.00409e-05 0.0325775 -7.11278e-06 0.0325495 -5.25143e-05 0.0325157 -9.70585e-05 0.0324765 -0.000140401 0.0324323 -0.00018239 0.0323832 -0.000222904 0.0323298 -0.00026184 0.0322722 -0.000299112 0.032211 -0.000334643 0.0321464 -0.000368378 0.0320789 -0.000400271 0.0320088 -0.000430293 0.0319364 -0.000458424 0.0318621 -0.000484664 0.0317863 -0.000509015 0.0317091 -0.000531506 0.031631 -0.000552151 0.0315521 -0.000571013 0.0314728 -0.000588108 0.0313931 -0.00060353 0.0313133 -0.000617276 0.0312335 -0.00062949 0.0311539 -0.000640112 0.0310744 -0.000649368 0.0309953 -0.000657083 0.0309166 -0.000663638 0.0308382 -0.000668632 0.0307602 -0.000672734 0.0306827 -0.000675121 0.0306054 -0.000677003 -0.000676792 0.0314826 0.000766057 0.0315768 0.000737783 0.031665 0.000705768 0.031747 0.0006717 0.0318228 0.000635971 0.0318923 0.00059879 0.0319553 0.000560287 0.032012 0.000520584 0.0320623 0.000479825 0.032106 0.00043818 0.0321434 0.000395831 0.0321742 0.000352961 0.0321988 0.000309741 0.032217 0.000266335 0.032229 0.000222894 0.0322349 0.000179565 0.0322349 0.000136487 0.032229 9.37958e-05 0.0322175 5.16021e-05 0.0322004 9.93386e-06 0.0321783 -3.03986e-05 0.0321511 -6.98734e-05 0.0321191 -0.00010841 0.0320826 -0.000145854 0.0320418 -0.000182093 0.031997 -0.000217033 0.0319484 -0.000250595 0.0318965 -0.000282713 0.0318415 -0.000313332 0.0317836 -0.000342409 0.0317232 -0.000369907 0.0316606 -0.000395806 0.031596 -0.000420092 0.0315298 -0.000442763 0.0314621 -0.000463824 0.0313932 -0.000483287 0.0313234 -0.000501179 0.0312528 -0.000517517 0.0311816 -0.00053235 0.03111 -0.00054569 0.0310382 -0.000557612 0.0309662 -0.000568102 0.0308941 -0.000577282 0.0308221 -0.000585073 0.0307501 -0.000591686 0.0306784 -0.000596909 0.0306068 -0.00060113 0.0305355 -0.000603874 0.0304644 -0.000605878 -0.000606141 0.0311946 0.000679528 0.031277 0.000655415 0.0313545 0.000628191 0.0314271 0.000599153 0.0314945 0.000568606 0.0315565 0.000536715 0.0316132 0.000503589 0.0316645 0.000469337 0.0317102 0.000434088 0.0317504 0.000397994 0.031785 0.000361211 0.0318141 0.000323896 0.0318376 0.000286201 0.0318557 0.000248268 0.0318684 0.000210234 0.0318757 0.000172229 0.0318778 0.000134381 0.0318748 9.6807e-05 0.0318668 5.96187e-05 0.0318538 2.28877e-05 0.0318365 -1.30853e-05 0.0318147 -4.80499e-05 0.0317886 -8.23006e-05 0.0317584 -0.00011568 0.0317244 -0.000148078 0.0316868 -0.000179406 0.0316457 -0.00020959 0.0316016 -0.000238572 0.0315546 -0.000266297 0.0315049 -0.000292723 0.0314528 -0.000317813 0.0313985 -0.000341545 0.0313423 -0.000363894 0.0312844 -0.000384856 0.031225 -0.00040442 0.0311643 -0.000422596 0.0311025 -0.000439386 0.0310398 -0.000454812 0.0309764 -0.000468882 0.0309123 -0.000481628 0.0308478 -0.000493067 0.0307829 -0.000503226 0.0307177 -0.00051214 0.0306525 -0.000519814 0.0305871 -0.000526318 0.0305218 -0.000531601 0.0304565 -0.000535814 0.0303914 -0.000538774 0.0303263 -0.000540812 -0.00054146 0.0309349 0.00060406 0.031007 0.000583334 0.0310752 0.000560022 0.0311392 0.000535125 0.031199 0.000508881 0.0312542 0.000481419 0.031305 0.00045283 0.0313511 0.000423206 0.0313926 0.00039266 0.0314292 0.000361319 0.0314611 0.000329322 0.0314882 0.000296803 0.0315105 0.000263894 0.0315281 0.000230719 0.0315409 0.000197401 0.0315491 0.000164052 0.0315527 0.000130789 0.0315518 9.77151e-05 0.0315465 6.49374e-05 0.0315368 3.25204e-05 0.0315234 2.9285e-07 0.0315059 -3.05152e-05 0.0314846 -6.09924e-05 0.0314597 -9.07521e-05 0.0314313 -0.000119698 0.0313996 -0.000147763 0.0313649 -0.000174877 0.0313273 -0.000200986 0.0312871 -0.000226037 0.0312444 -0.000249991 0.0311994 -0.000272808 0.0311523 -0.000294467 0.0311033 -0.000314937 0.0310527 -0.000334212 0.0310005 -0.000352269 0.030947 -0.00036912 0.0308924 -0.000384745 0.0308368 -0.000399172 0.0307803 -0.000412381 0.0307231 -0.000424416 0.0306652 -0.000435251 0.030607 -0.000444948 0.0305483 -0.000453472 0.0304894 -0.000460897 0.0304302 -0.00046718 0.030371 -0.000472398 0.0303117 -0.000476514 0.0302525 -0.000479582 0.0301933 -0.000481602 -0.000482538 0.0307008 0.000538098 0.030764 0.000520181 0.0308239 0.000500097 0.0308804 0.000478636 0.0309333 0.000455985 0.0309825 0.000432247 0.0310278 0.000407494 0.0310692 0.000381803 0.0311066 0.000355269 0.0311399 0.000328004 0.0311691 0.000300124 0.0311942 0.000271745 0.0312151 0.00024298 0.0312319 0.000213938 0.0312445 0.000184723 0.0312532 0.000155433 0.0312578 0.000126168 0.0312585 9.7017e-05 0.0312553 6.80677e-05 0.0312485 3.93968e-05 0.0312377 1.10513e-05 0.0312238 -1.65875e-05 0.0312064 -4.36349e-05 0.0311858 -7.01411e-05 0.0311621 -9.59932e-05 0.0311355 -0.000121116 0.031106 -0.000145444 0.031074 -0.00016893 0.0310395 -0.000191522 0.0310027 -0.000213186 0.0309637 -0.000233879 0.0309228 -0.000253582 0.0308802 -0.000272258 0.0308359 -0.000289902 0.0307901 -0.000306484 0.030743 -0.000322014 0.0306947 -0.00033646 0.0306454 -0.000349852 0.0305951 -0.000362151 0.0305441 -0.000373411 0.0304924 -0.000383575 0.0304402 -0.000392728 0.0303875 -0.000400786 0.0303345 -0.000407873 0.0302812 -0.000413861 0.0302277 -0.000418928 0.0301741 -0.000422887 0.0301205 -0.00042598 0.0300668 -0.000427945 -0.000429095 0.0304898 0.000480309 0.0305452 0.000464744 0.0305979 0.000447355 0.0306478 0.00042877 0.0306947 0.000409141 0.0307384 0.000388548 0.0307788 0.000367049 0.0308159 0.000344709 0.0308496 0.000321609 0.0308797 0.000297841 0.0309063 0.000273505 0.0309294 0.0002487 0.0309488 0.000223523 0.0309647 0.000198067 0.030977 0.00017242 0.0309858 0.000146671 0.030991 0.000120904 0.0309929 9.52013e-05 0.0309913 6.96403e-05 0.0309864 4.42973e-05 0.0309782 1.92183e-05 0.0309671 -5.48294e-06 0.030953 -2.94931e-05 0.0309359 -5.30968e-05 0.0309161 -7.61667e-05 0.0308936 -9.86372e-05 0.0308686 -0.000120446 0.0308412 -0.000141546 0.0308116 -0.00016189 0.0307799 -0.000181444 0.0307461 -0.000200167 0.0307106 -0.000218041 0.0306734 -0.000235026 0.0306346 -0.000251119 0.0305944 -0.000266281 0.0305529 -0.000280527 0.0305103 -0.000293811 0.0304666 -0.000306171 0.030422 -0.000317548 0.0303766 -0.000328008 0.0303305 -0.000337469 0.0302838 -0.000346036 0.0302366 -0.000353584 0.030189 -0.00036028 0.030141 -0.000365928 0.0300929 -0.000370786 0.0300446 -0.000374548 0.0299962 -0.000377607 0.0299477 -0.000379494 -0.000380792 0.0302996 0.00042955 0.0303483 0.000415976 0.0303948 0.000400857 0.0304389 0.000384701 0.0304804 0.00036763 0.0305193 0.000349708 0.0305553 0.000330984 0.0305885 0.000311509 0.0306188 0.000291351 0.030646 0.00027059 0.0306702 0.000249309 0.0306913 0.000227593 0.0307093 0.000205524 0.0307242 0.000183181 0.030736 0.000160643 0.0307447 0.000137984 0.0307503 0.000115279 0.0307529 9.26018e-05 0.0307525 7.00195e-05 0.0307492 4.75981e-05 0.0307431 2.53871e-05 0.0307342 3.37301e-06 0.0307227 -1.79702e-05 0.0307086 -3.89904e-05 0.030692 -5.95803e-05 0.030673 -7.96673e-05 0.0306518 -9.91974e-05 0.0306284 -0.000118132 0.0306029 -0.000136424 0.0305755 -0.000154045 0.0305463 -0.000170952 0.0305154 -0.000187128 0.0304829 -0.000202534 0.0304489 -0.000217166 0.0304136 -0.000230983 0.0303771 -0.000243998 0.0303394 -0.000256163 0.0303008 -0.000267514 0.0302612 -0.000277985 0.0302209 -0.000287646 0.0301798 -0.000296398 0.0301381 -0.000304362 0.0300959 -0.000311383 0.0300533 -0.000317659 0.0300103 -0.000322944 0.0299671 -0.000327555 0.0299236 -0.000331098 0.0298801 -0.000334079 0.0298365 -0.000335871 -0.000337266 0.0301283 0.000384849 0.0301713 0.000372976 0.0302124 0.000359786 0.0302514 0.000345696 0.0302882 0.000330805 0.0303227 0.000315166 0.0303549 0.000298815 0.0303846 0.000281798 0.0304118 0.000264171 0.0304364 0.000246001 0.0304583 0.000227358 0.0304776 0.000208316 0.0304942 0.000188943 0.0305081 0.000169309 0.0305192 0.00014948 0.0305277 0.000129521 0.0305335 0.000109498 0.0305366 8.9471e-05 0.0305371 6.95017e-05 0.0305351 4.96456e-05 0.0305305 2.99563e-05 0.0305234 1.04666e-05 0.0305141 -8.64397e-06 0.0305024 -2.7331e-05 0.0304885 -4.56825e-05 0.0304725 -6.36289e-05 0.0304544 -8.11118e-05 0.0304344 -9.80898e-05 0.0304125 -0.00011452 0.0303888 -0.000130376 0.0303635 -0.000145617 0.0303366 -0.000160229 0.0303082 -0.000174171 0.0302785 -0.00018744 0.0302475 -0.000199995 0.0302153 -0.000211848 0.0301821 -0.000222948 0.0301479 -0.000233332 0.0301129 -0.000242927 0.030077 -0.000251809 0.0300405 -0.000259865 0.0300034 -0.000267228 0.0299657 -0.000273722 0.0299276 -0.000279567 0.0298892 -0.00028448 0.0298504 -0.000288822 0.0298115 -0.000292136 0.0297724 -0.000295009 0.0297332 -0.000296696 -0.000298148 0.0299742 0.000345385 0.0300122 0.000334974 0.0300485 0.000323436 0.0300831 0.000311116 0.0301158 0.000298093 0.0301466 0.000284412 0.0301753 0.000270102 0.0302019 0.000255202 0.0302263 0.000239757 0.0302485 0.000223826 0.0302683 0.000207468 0.0302859 0.000190744 0.0303011 0.000173716 0.030314 0.00015644 0.0303245 0.000138975 0.0303327 0.000121377 0.0303385 0.000103702 0.0303419 8.60047e-05 0.0303431 6.83394e-05 0.030342 5.07561e-05 0.0303386 3.33054e-05 0.0303331 1.60198e-05 0.0303255 -1.10318e-06 0.0303159 -1.76882e-05 0.0303043 -3.40569e-05 0.0302907 -5.00831e-05 0.0302753 -6.57171e-05 0.0302582 -8.09253e-05 0.0302393 -9.56669e-05 0.0302188 -0.000109917 0.0301969 -0.000123637 0.0301735 -0.000136813 0.0301487 -0.000149407 0.0301227 -0.000161415 0.0300955 -0.000172795 0.0300672 -0.000183562 0.0300379 -0.00019366 0.0300077 -0.00020313 0.0299767 -0.000211892 0.0299449 -0.000220026 0.0299124 -0.000227413 0.0298794 -0.00023419 0.0298458 -0.000240168 0.0298118 -0.000245583 0.0297775 -0.000250127 0.0297429 -0.000254191 0.029708 -0.000257272 0.029673 -0.000260016 0.0296379 -0.000261594 -0.000263071 0.0298356 0.000310458 0.0298692 0.000301312 0.0299015 0.000291199 0.0299322 0.000280402 0.0299613 0.000268989 0.0299887 0.000256996 0.0300143 0.000244449 0.0300382 0.000231377 0.0300601 0.000217821 0.0300801 0.00020383 0.0300981 0.000189455 0.0301141 0.000174747 0.0301281 0.00015976 0.03014 0.000144541 0.0301498 0.000129142 0.0301576 0.000113612 0.0301633 9.79977e-05 0.0301669 8.23479e-05 0.0301686 6.67098e-05 0.0301682 5.11271e-05 0.0301658 3.56426e-05 0.0301616 2.02911e-05 0.0301554 5.08861e-06 0.0301475 -9.75304e-06 0.0301377 -2.43275e-05 0.0301263 -3.86325e-05 0.0301132 -5.26101e-05 0.0300985 -6.62254e-05 0.0300822 -7.94406e-05 0.0300646 -9.22337e-05 0.0300455 -0.000104569 0.0300251 -0.000116434 0.0300035 -0.00012779 0.0299807 -0.000138637 0.0299568 -0.000148931 0.029932 -0.000158689 0.0299062 -0.000167853 0.0298795 -0.000176465 0.0298521 -0.000184443 0.0298239 -0.000191869 0.0297951 -0.000198619 0.0297657 -0.000204834 0.0297359 -0.000210318 0.0297056 -0.000215314 0.029675 -0.000219499 0.0296441 -0.000223283 0.029613 -0.000226134 0.0295817 -0.000228737 0.0295503 -0.000230206 -0.000231682 0.029711 0.00027947 0.0297408 0.00027143 0.0297695 0.000262548 0.0297968 0.00025307 0.0298228 0.00024305 0.0298472 0.000232519 0.0298702 0.000221498 0.0298915 0.000210012 0.0299113 0.000198096 0.0299293 0.000185791 0.0299456 0.000173141 0.0299602 0.00016019 0.029973 0.000146983 0.0299839 0.000133563 0.0299931 0.000119973 0.0300005 0.000106255 0.030006 9.24508e-05 0.0300098 7.86027e-05 0.0300117 6.47511e-05 0.0300119 5.09355e-05 0.0300104 3.71933e-05 0.0300071 2.35607e-05 0.0300021 1.00629e-05 0.0299956 -3.23568e-06 0.0299875 -1.62055e-05 0.0299778 -2.89641e-05 0.0299666 -4.14499e-05 0.0299541 -5.36311e-05 0.0299401 -6.54704e-05 0.0299248 -7.69465e-05 0.0299082 -8.8026e-05 0.0298905 -9.86973e-05 0.0298716 -0.000108925 0.0298517 -0.000118708 0.0298308 -0.000128005 0.0298089 -0.000136831 0.0297862 -0.00014513 0.0297627 -0.000152944 0.0297384 -0.000160192 0.0297135 -0.000166954 0.029688 -0.000173104 0.029662 -0.000178787 0.0296354 -0.000183801 0.0296085 -0.000188395 0.0295813 -0.000192235 0.0295537 -0.000195745 0.029526 -0.000198373 0.0294981 -0.000200828 0.02947 -0.000202189 -0.000203647 0.0295991 0.000251931 0.0296257 0.000244852 0.0296512 0.000237042 0.0296756 0.000228707 0.0296987 0.000219897 0.0297206 0.000210636 0.0297411 0.000200941 0.0297603 0.000190834 0.0297781 0.000180345 0.0297944 0.000169509 0.0298091 0.000158363 0.0298224 0.000146946 0.0298341 0.000135296 0.0298442 0.000123451 0.0298527 0.000111446 0.0298596 9.93187e-05 0.029865 8.71061e-05 0.0298687 7.48445e-05 0.0298709 6.25693e-05 0.0298715 5.03162e-05 0.0298706 3.81191e-05 0.0298682 2.60102e-05 0.0298642 1.40145e-05 0.0298589 2.12444e-06 0.0298521 -9.42881e-06 0.0298439 -2.0812e-05 0.0298344 -3.19664e-05 0.0298237 -4.28576e-05 0.0298117 -5.34546e-05 0.0297985 -6.37398e-05 0.0297841 -7.36814e-05 0.0297687 -8.3269e-05 0.0297522 -9.24684e-05 0.0297348 -0.00010128 0.0297165 -0.000109663 0.0296973 -0.000117634 0.0296773 -0.000125138 0.0296565 -0.000132215 0.0296351 -0.000138786 0.0296131 -0.00014493 0.0295905 -0.000150521 0.0295674 -0.000155705 0.0295439 -0.000160277 0.02952 -0.000164489 0.0294958 -0.000168004 0.0294713 -0.000171248 0.0294466 -0.000173662 0.0294217 -0.000175968 0.0293967 -0.000177225 -0.00017865 0.0294986 0.000227402 0.0295223 0.00022116 0.0295451 0.000214284 0.0295668 0.000206948 0.0295875 0.000199191 0.0296071 0.000191036 0.0296256 0.000182497 0.0296428 0.000173593 0.0296588 0.00016435 0.0296735 0.000154796 0.0296869 0.000144966 0.029699 0.000134891 0.0297097 0.000124605 0.029719 0.00011414 0.0297269 0.000103527 0.0297334 9.2799e-05 0.0297385 8.19879e-05 0.0297423 7.11252e-05 0.0297446 6.02425e-05 0.0297455 4.93701e-05 0.0297451 3.85379e-05 0.0297434 2.7773e-05 0.0297403 1.71025e-05 0.0297358 6.5447e-06 0.0297302 -3.82057e-06 0.0297234 -1.39531e-05 0.0297153 -2.39052e-05 0.0297061 -3.3641e-05 0.0296958 -4.31251e-05 0.0296844 -5.23391e-05 0.0296719 -6.12537e-05 0.0296585 -6.98603e-05 0.0296442 -7.8127e-05 0.029629 -8.60552e-05 0.0296129 -9.36053e-05 0.0295961 -0.000100794 0.0295785 -0.000107568 0.0295602 -0.000113967 0.0295414 -0.000119913 0.0295219 -0.000125485 0.029502 -0.000130559 0.0294815 -0.000135277 0.0294607 -0.000139438 0.0294395 -0.00014329 0.029418 -0.000146499 0.0293962 -0.00014949 0.0293743 -0.000151702 0.0293522 -0.000153859 0.02933 -0.000155017 -0.000156399 0.0294084 0.000205507 0.0294296 0.000200001 0.0294499 0.000193941 0.0294694 0.000187476 0.029488 0.00018064 0.0295056 0.000173452 0.0295221 0.000165923 0.0295376 0.000158071 0.0295521 0.000149917 0.0295654 0.000141487 0.0295775 0.000132808 0.0295885 0.00012391 0.0295983 0.000114821 0.0296069 0.000105568 0.0296142 9.61798e-05 0.0296203 8.66835e-05 0.0296252 7.71077e-05 0.0296289 6.74793e-05 0.0296313 5.78269e-05 0.0296325 4.81762e-05 0.0296325 3.85557e-05 0.0296312 2.89894e-05 0.0296288 1.95048e-05 0.0296253 1.01171e-05 0.0296206 8.07025e-07 0.0296149 -8.1995e-06 0.0296081 -1.70854e-05 0.0296002 -2.57825e-05 0.0295914 -3.42614e-05 0.0295815 -4.25085e-05 0.0295708 -5.04962e-05 0.0295591 -5.82163e-05 0.0295466 -6.56386e-05 0.0295333 -7.2765e-05 0.0295193 -7.9558e-05 0.0295045 -8.6034e-05 0.0294891 -9.21416e-05 0.0294731 -9.79205e-05 0.0294564 -0.000103294 0.0294393 -0.000108339 0.0294217 -0.000112936 0.0294036 -0.000117223 0.0293852 -0.000121002 0.0293664 -0.000124519 0.0293474 -0.000127443 0.0293281 -0.000130193 0.0293086 -0.000132217 0.0292889 -0.000134229 0.0292692 -0.000135292 -0.000136624 0.0293275 0.000185923 0.0293465 0.000181063 0.0293647 0.000175719 0.0293821 0.000170017 0.0293988 0.000163988 0.0294146 0.000157647 0.0294295 0.000151004 0.0294435 0.000144073 0.0294566 0.000136874 0.0294686 0.000129429 0.0294797 0.000121762 0.0294897 0.000113897 0.0294986 0.00010586 0.0295065 9.7674e-05 0.0295133 8.93638e-05 0.0295191 8.09535e-05 0.0295237 7.24676e-05 0.0295273 6.39302e-05 0.0295297 5.53658e-05 0.0295311 4.67979e-05 0.0295314 3.82502e-05 0.0295307 2.97446e-05 0.0295289 2.13027e-05 0.029526 1.29427e-05 0.0295222 4.68141e-06 0.0295174 -3.41173e-06 0.0295116 -1.13233e-05 0.0295049 -1.90881e-05 0.0294973 -2.66699e-05 0.0294889 -3.40506e-05 0.0294796 -4.1204e-05 0.0294695 -4.8124e-05 0.0294586 -5.47827e-05 0.029447 -6.11826e-05 0.0294348 -6.72882e-05 0.0294218 -7.31159e-05 0.0294083 -7.86165e-05 0.0293942 -8.38287e-05 0.0293796 -8.86785e-05 0.0293645 -9.32411e-05 0.029349 -9.73991e-05 0.029333 -0.000101289 0.0293168 -0.000104717 0.0293002 -0.000107922 0.0292833 -0.000110581 0.0292662 -0.000113106 0.029249 -0.000114953 0.0292316 -0.000116825 0.0292141 -0.0001178 -0.000119077 0.0292549 0.000168369 0.0292719 0.000164078 0.0292883 0.000159363 0.0293039 0.000154332 0.0293189 0.000149011 0.0293332 0.000143413 0.0293466 0.000137548 0.0293593 0.000131427 0.0293711 0.000125067 0.029382 0.000118488 0.0293921 0.00011171 0.0294012 0.000104755 0.0294094 9.76438e-05 0.0294167 9.0398e-05 0.029423 8.30386e-05 0.0294284 7.55867e-05 0.0294328 6.80638e-05 0.0294362 6.0491e-05 0.0294387 5.28898e-05 0.0294402 4.52811e-05 0.0294408 3.76855e-05 0.0294404 3.01236e-05 0.0294391 2.26149e-05 0.0294369 1.51795e-05 0.0294337 7.83049e-06 0.0294297 5.47738e-07 0.0294249 -6.48192e-06 0.0294192 -1.3415e-05 0.0294128 -2.01873e-05 0.0294055 -2.6786e-05 0.0293975 -3.31883e-05 0.0293887 -3.9388e-05 0.0293793 -4.53583e-05 0.0293692 -5.11021e-05 0.0293585 -5.65859e-05 0.0293472 -6.18262e-05 0.0293354 -6.67758e-05 0.029323 -7.14724e-05 0.0293102 -7.58449e-05 0.0292969 -7.99663e-05 0.0292833 -8.37233e-05 0.0292692 -8.72476e-05 0.0292549 -9.03525e-05 0.0292402 -9.32696e-05 0.0292253 -9.56853e-05 0.0292102 -9.79999e-05 0.0291949 -9.9683e-05 0.0291795 -0.000101421 0.029164 -0.000102313 -0.000103532 0.0291898 0.000152601 0.0292051 0.000148813 0.0292198 0.000144652 0.0292339 0.000140212 0.0292474 0.000135514 0.0292603 0.000130571 0.0292724 0.000125389 0.0292839 0.000119981 0.0292946 0.00011436 0.0293045 0.000108543 0.0293137 0.000102548 0.029322 9.63941e-05 0.0293296 9.00999e-05 0.0293363 8.36836e-05 0.0293422 7.71637e-05 0.0293472 7.05588e-05 0.0293514 6.38876e-05 0.0293547 5.71688e-05 0.0293572 5.04212e-05 0.0293588 4.36631e-05 0.0293595 3.69131e-05 0.0293595 3.01886e-05 0.0293586 2.35076e-05 0.0293569 1.68852e-05 0.0293544 1.03375e-05 0.0293511 3.87462e-06 0.029347 -2.44719e-06 0.0293422 -8.6217e-06 0.0293367 -1.46693e-05 0.0293305 -2.057e-05 0.0293236 -2.62984e-05 0.0293161 -3.1849e-05 0.0293079 -3.71979e-05 0.0292991 -4.23489e-05 0.0292898 -4.72703e-05 0.02928 -5.19782e-05 0.0292696 -5.64279e-05 0.0292588 -6.06559e-05 0.0292476 -6.45944e-05 0.0292359 -6.83136e-05 0.0292239 -7.17047e-05 0.0292115 -7.48948e-05 0.0291989 -7.7704e-05 0.029186 -8.03558e-05 0.0291728 -8.25474e-05 0.0291595 -8.4666e-05 0.029146 -8.61979e-05 0.0291324 -8.78088e-05 0.0291187 -8.86235e-05 -8.97829e-05 0.0291314 0.000138409 0.0291452 0.000135066 0.0291584 0.000131393 0.0291712 0.000127474 0.0291834 0.000123326 0.029195 0.000118959 0.029206 0.000114381 0.0292164 0.0001096 0.0292261 0.00010463 0.0292352 9.94852e-05 0.0292435 9.41814e-05 0.0292512 8.87349e-05 0.0292581 8.31618e-05 0.0292643 7.74784e-05 0.0292698 7.17008e-05 0.0292745 6.58452e-05 0.0292785 5.99281e-05 0.0292817 5.39658e-05 0.0292841 4.79751e-05 0.0292858 4.19719e-05 0.0292867 3.59729e-05 0.0292869 2.99932e-05 0.0292864 2.40497e-05 0.0292851 1.81559e-05 0.0292831 1.23292e-05 0.0292804 6.5774e-06 0.0292771 8.96366e-07 0.0292731 -4.60093e-06 0.0292684 -9.999e-06 0.0292631 -1.52694e-05 0.0292572 -2.03898e-05 0.0292507 -2.5357e-05 0.0292437 -3.01474e-05 0.0292361 -3.47644e-05 0.029228 -3.91785e-05 0.0292194 -4.34055e-05 0.0292104 -4.74031e-05 0.0292009 -5.12065e-05 0.0291911 -5.47511e-05 0.0291809 -5.81044e-05 0.0291703 -6.11623e-05 0.0291595 -6.40472e-05 0.0291484 -6.65862e-05 0.029137 -6.89943e-05 0.0291254 -7.09804e-05 0.0291137 -7.29173e-05 0.0291018 -7.43101e-05 0.0290898 -7.58007e-05 0.0290777 -7.65442e-05 -7.76434e-05 0.0290791 0.000125609 0.0290915 0.000122659 0.0291035 0.000119419 0.029115 0.000115959 0.029126 0.000112296 0.0291366 0.000108438 0.0291466 0.000104392 0.029156 0.000100166 0.0291649 9.57708e-05 0.0291731 9.12195e-05 0.0291808 8.6526e-05 0.0291878 8.17044e-05 0.0291942 7.6769e-05 0.0291999 7.17339e-05 0.029205 6.66132e-05 0.0292095 6.14211e-05 0.0292132 5.61723e-05 0.0292163 5.0881e-05 0.0292187 4.5562e-05 0.0292205 4.02294e-05 0.0292215 3.48979e-05 0.0292219 2.9581e-05 0.0292217 2.42933e-05 0.0292208 1.90474e-05 0.0292193 1.38567e-05 0.0292171 8.73182e-06 0.0292143 3.68463e-06 0.029211 -1.2577e-06 0.0292071 -6.06395e-06 0.0292026 -1.07699e-05 0.0291975 -1.53476e-05 0.0291919 -1.97911e-05 0.0291859 -2.40784e-05 0.0291793 -2.82138e-05 0.0291723 -3.21701e-05 0.0291649 -3.59625e-05 0.029157 -3.95511e-05 0.0291488 -4.29698e-05 0.0291402 -4.61573e-05 0.0291313 -4.91783e-05 0.029122 -5.19335e-05 0.0291125 -5.454e-05 0.0291028 -5.68328e-05 0.0290928 -5.90177e-05 0.0290826 -6.08159e-05 0.0290723 -6.25849e-05 0.0290618 -6.38498e-05 0.0290513 -6.52272e-05 0.0290406 -6.59051e-05 -6.69441e-05 0.0290322 0.000114041 0.0290435 0.000111439 0.0290543 0.00010858 0.0290647 0.000105527 0.0290747 0.000102292 0.0290843 9.88845e-05 0.0290934 9.5309e-05 0.029102 9.15729e-05 0.0291101 8.76861e-05 0.0291176 8.36597e-05 0.0291246 7.9506e-05 0.0291311 7.52374e-05 0.029137 7.08664e-05 0.0291423 6.64053e-05 0.0291471 6.18666e-05 0.0291512 5.72628e-05 0.0291548 5.26067e-05 0.0291578 4.7911e-05 0.0291601 4.31885e-05 0.0291619 3.84519e-05 0.0291631 3.3714e-05 0.0291637 2.8987e-05 0.0291637 2.42836e-05 0.0291631 1.96155e-05 0.029162 1.49949e-05 0.0291603 1.04326e-05 0.0291581 5.93876e-06 0.0291553 1.51182e-06 0.029152 -2.78116e-06 0.0291482 -6.97819e-06 0.0291439 -1.10657e-05 0.0291392 -1.5037e-05 0.029134 -1.88717e-05 0.0291283 -2.25742e-05 0.0291223 -2.61182e-05 0.0291158 -2.95186e-05 0.029109 -3.27381e-05 0.0291019 -3.58091e-05 0.0290944 -3.86734e-05 0.0290866 -4.1393e-05 0.0290785 -4.38735e-05 0.0290702 -4.62266e-05 0.0290617 -4.82953e-05 0.0290529 -5.02758e-05 0.029044 -5.19024e-05 0.029035 -5.35165e-05 0.0290258 -5.46642e-05 0.0290165 -5.59354e-05 0.0290071 -5.65527e-05 -5.75323e-05 0.0289903 0.000103563 0.0290004 0.00010127 0.0290103 9.8749e-05 0.0290197 9.60549e-05 0.0290288 9.31997e-05 0.0290375 9.019e-05 0.0290458 8.70307e-05 0.0290536 8.37282e-05 0.029061 8.02912e-05 0.029068 7.67294e-05 0.0290744 7.30537e-05 0.0290804 6.9275e-05 0.0290858 6.5404e-05 0.0290908 6.14518e-05 0.0290952 5.74293e-05 0.0290992 5.33475e-05 0.0291025 4.92177e-05 0.0291054 4.5051e-05 0.0291077 4.08588e-05 0.0291095 3.66523e-05 0.0291108 3.24428e-05 0.0291115 2.82411e-05 0.0291118 2.40588e-05 0.0291115 1.99056e-05 0.0291107 1.57932e-05 0.0291094 1.173e-05 0.0291076 7.72784e-06 0.0291053 3.79203e-06 0.0291026 -7.52675e-08 0.0290994 -3.80115e-06 0.0290958 -7.44993e-06 0.0290918 -1.09988e-05 0.0290873 -1.44277e-05 0.0290825 -1.77405e-05 0.0290773 -2.09131e-05 0.0290717 -2.396e-05 0.0290658 -2.68462e-05 0.0290596 -2.96027e-05 0.0290531 -3.21747e-05 0.0290464 -3.4621e-05 0.0290393 -3.68525e-05 0.0290321 -3.89751e-05 0.0290246 -4.084e-05 0.029017 -4.26339e-05 0.0290092 -4.4104e-05 0.0290013 -4.55753e-05 0.0289932 -4.66157e-05 0.0289851 -4.77874e-05 0.0289769 -4.83491e-05 -4.92704e-05 0.0289527 9.40514e-05 0.0289619 9.20318e-05 0.0289709 8.98107e-05 0.0289795 8.7435e-05 0.0289878 8.49156e-05 0.0289957 8.22583e-05 0.0290032 7.94676e-05 0.0290104 7.65493e-05 0.0290172 7.35107e-05 0.0290236 7.03607e-05 0.0290295 6.71087e-05 0.029035 6.37642e-05 0.0290401 6.03369e-05 0.0290447 5.68363e-05 0.0290489 5.3272e-05 0.0290526 4.96538e-05 0.0290558 4.59916e-05 0.0290585 4.22952e-05 0.0290608 3.85748e-05 0.0290626 3.484e-05 0.029064 3.11012e-05 0.0290649 2.73676e-05 0.0290653 2.36496e-05 0.0290652 1.99558e-05 0.0290647 1.62969e-05 0.0290638 1.26802e-05 0.0290624 9.11641e-06 0.0290606 5.61086e-06 0.0290583 2.17059e-06 0.0290557 -1.17728e-06 0.0290527 -4.42654e-06 0.0290493 -7.59362e-06 0.0290455 -1.06565e-05 0.0290414 -1.36182e-05 0.0290369 -1.64562e-05 0.0290321 -1.91844e-05 0.0290271 -2.177e-05 0.0290217 -2.42424e-05 0.0290161 -2.65502e-05 0.0290102 -2.8749e-05 0.0290041 -3.07547e-05 0.0289978 -3.2668e-05 0.0289913 -3.43478e-05 0.0289846 -3.59712e-05 0.0289778 -3.72986e-05 0.0289709 -3.86385e-05 0.0289639 -3.95808e-05 0.0289567 -4.06594e-05 0.0289496 -4.11699e-05 -4.20344e-05 0.028919 8.53979e-05 0.0289275 8.36209e-05 0.0289356 8.16649e-05 0.0289435 7.95713e-05 0.028951 7.73495e-05 0.0289583 7.50046e-05 0.0289652 7.25407e-05 0.0289718 6.99628e-05 0.028978 6.72777e-05 0.0289839 6.44929e-05 0.0289894 6.16168e-05 0.0289945 5.86578e-05 0.0289992 5.56243e-05 0.0290035 5.25247e-05 0.0290074 4.93677e-05 0.0290109 4.61616e-05 0.029014 4.29153e-05 0.0290167 3.96374e-05 0.0290189 3.6337e-05 0.0290207 3.30225e-05 0.0290221 2.97031e-05 0.0290231 2.6387e-05 0.0290237 2.30833e-05 0.0290238 1.98e-05 0.0290236 1.65461e-05 0.0290229 1.33287e-05 0.0290219 1.0157e-05 0.0290204 7.03698e-06 0.0290186 3.97704e-06 0.0290165 9.74074e-07 0.029014 -1.92168e-06 0.0290111 -4.7443e-06 0.029008 -7.47791e-06 0.0290045 -1.01239e-05 0.0290007 -1.26609e-05 0.0289966 -1.51018e-05 0.0289922 -1.74163e-05 0.0289876 -1.9632e-05 0.0289828 -2.1701e-05 0.0289777 -2.36756e-05 0.0289724 -2.5477e-05 0.0289669 -2.72e-05 0.0289613 -2.87116e-05 0.0289555 -3.01794e-05 0.0289496 -3.13769e-05 0.0289436 -3.25959e-05 0.0289374 -3.34485e-05 0.0289312 -3.444e-05 0.0289249 -3.49035e-05 -3.57127e-05 0.028889 7.75061e-05 0.0288966 7.59438e-05 0.0289041 7.42229e-05 0.0289113 7.23793e-05 0.0289182 7.04213e-05 0.0289249 6.83534e-05 0.0289312 6.61794e-05 0.0289373 6.39037e-05 0.028943 6.15323e-05 0.0289484 5.90718e-05 0.0289535 5.65295e-05 0.0289583 5.3913e-05 0.0289627 5.12295e-05 0.0289667 4.84865e-05 0.0289704 4.56916e-05 0.0289737 4.28522e-05 0.0289766 3.99762e-05 0.0289792 3.70711e-05 0.0289814 3.41449e-05 0.0289832 3.12051e-05 0.0289847 2.82598e-05 0.0289857 2.53163e-05 0.0289864 2.23827e-05 0.0289868 1.9466e-05 0.0289867 1.65743e-05 0.0289863 1.37138e-05 0.0289856 1.08931e-05 0.0289845 8.11692e-06 0.0289831 5.39468e-06 0.0289814 2.72796e-06 0.0289793 1.14423e-07 0.028977 -2.38369e-06 0.0289743 -4.82182e-06 0.0289714 -7.18411e-06 0.0289682 -9.45015e-06 0.0289647 -1.16323e-05 0.028961 -1.37021e-05 0.028957 -1.56861e-05 0.0289529 -1.75391e-05 0.0289485 -1.93108e-05 0.0289439 -2.09269e-05 0.0289392 -2.2477e-05 0.0289344 -2.3836e-05 0.0289293 -2.51616e-05 0.0289242 -2.62408e-05 0.0289189 -2.73485e-05 0.0289136 -2.8119e-05 0.0289082 -2.90292e-05 0.0289028 -2.94496e-05 -3.02051e-05 0.0288621 7.02904e-05 0.0288691 6.89185e-05 0.0288759 6.74059e-05 0.0288825 6.57839e-05 0.0288889 6.406e-05 0.028895 6.2238e-05 0.0289009 6.03213e-05 0.0289065 5.8314e-05 0.0289118 5.62212e-05 0.0289168 5.40488e-05 0.0289215 5.18034e-05 0.0289259 4.94914e-05 0.0289301 4.71193e-05 0.0289338 4.46938e-05 0.0289373 4.22213e-05 0.0289405 3.97086e-05 0.0289433 3.71625e-05 0.0289458 3.45897e-05 0.0289479 3.19973e-05 0.0289497 2.93919e-05 0.0289512 2.67806e-05 0.0289523 2.417e-05 0.0289532 2.15671e-05 0.0289536 1.89781e-05 0.0289538 1.64105e-05 0.0289537 1.38694e-05 0.0289532 1.13627e-05 0.0289524 8.89451e-06 0.0289513 6.47317e-06 0.02895 4.10063e-06 0.0289483 1.78426e-06 0.0289464 -4.63991e-07 0.0289442 -2.63004e-06 0.0289417 -4.73528e-06 0.028939 -6.75663e-06 0.0289361 -8.70506e-06 0.028933 -1.0554e-05 0.0289296 -1.23283e-05 0.028926 -1.3986e-05 0.0289223 -1.55737e-05 0.0289184 -1.70221e-05 0.0289143 -1.8415e-05 0.0289101 -1.96353e-05 0.0289058 -2.08311e-05 0.0289014 -2.18024e-05 0.0288968 -2.28076e-05 0.0288922 -2.35031e-05 0.0288875 -2.43372e-05 0.0288828 -2.47179e-05 -2.54214e-05 0.0288381 6.36748e-05 0.0288446 6.24716e-05 0.0288508 6.11435e-05 0.0288569 5.97182e-05 0.0288627 5.8202e-05 0.0288684 5.65984e-05 0.0288738 5.49104e-05 0.028879 5.31416e-05 0.0288839 5.12966e-05 0.0288886 4.93807e-05 0.028893 4.73994e-05 0.0288971 4.53586e-05 0.0289009 4.32639e-05 0.0289045 4.11211e-05 0.0289078 3.8936e-05 0.0289108 3.67146e-05 0.0289135 3.44629e-05 0.0289159 3.21867e-05 0.028918 2.98924e-05 0.0289198 2.75857e-05 0.0289213 2.5273e-05 0.0289225 2.296e-05 0.0289234 2.06531e-05 0.0289241 1.83575e-05 0.0289244 1.608e-05 0.0289244 1.38253e-05 0.0289242 1.16001e-05 0.0289237 9.40842e-06 0.0289229 7.25753e-06 0.0289219 5.14981e-06 0.0289205 3.09319e-06 0.028919 1.08458e-06 0.0289172 -8.4668e-07 0.0289152 -2.71858e-06 0.028913 -4.51899e-06 0.0289105 -6.25646e-06 0.0289079 -7.90596e-06 0.028905 -9.49072e-06 0.028902 -1.09717e-05 0.0288988 -1.23926e-05 0.0288955 -1.36888e-05 0.028892 -1.49387e-05 0.0288884 -1.60329e-05 0.0288847 -1.711e-05 0.0288809 -1.7983e-05 0.028877 -1.88936e-05 0.028873 -1.95205e-05 0.0288689 -2.02833e-05 0.0288648 -2.06275e-05 -2.12807e-05 0.0288167 5.75918e-05 0.0288227 5.65375e-05 0.0288284 5.53734e-05 0.028834 5.41227e-05 0.0288394 5.2791e-05 0.0288446 5.13815e-05 0.0288497 4.98969e-05 0.0288545 4.83405e-05 0.028859 4.67161e-05 0.0288634 4.50285e-05 0.0288675 4.32826e-05 0.0288714 4.14835e-05 0.028875 3.96361e-05 0.0288784 3.77456e-05 0.0288815 3.58171e-05 0.0288844 3.38558e-05 0.028887 3.18671e-05 0.0288893 2.9856e-05 0.0288914 2.78281e-05 0.0288932 2.57887e-05 0.0288947 2.37432e-05 0.0288959 2.16967e-05 0.0288969 1.96548e-05 0.0288977 1.76223e-05 0.0288982 1.5605e-05 0.0288984 1.36071e-05 0.0288983 1.16348e-05 0.0288981 9.69124e-06 0.0288975 7.78344e-06 0.0288968 5.91295e-06 0.0288958 4.08801e-06 0.0288945 2.30708e-06 0.0288931 5.77204e-07 0.0288915 -1.08371e-06 0.0288897 -2.68358e-06 0.0288876 -4.23024e-06 0.0288854 -5.69948e-06 0.028883 -7.11267e-06 0.0288805 -8.43365e-06 0.0288778 -9.70316e-06 0.028875 -1.08612e-05 0.028872 -1.19808e-05 0.028869 -1.29603e-05 0.0288658 -1.39287e-05 0.0288625 -1.47119e-05 0.0288591 -1.55353e-05 0.0288557 -1.60992e-05 0.0288522 -1.67952e-05 0.0288487 -1.71059e-05 -1.77102e-05 0.0287977 5.19785e-05 0.0288031 5.1057e-05 0.0288085 5.00384e-05 0.0288137 4.8943e-05 0.0288187 4.77756e-05 0.0288235 4.65391e-05 0.0288282 4.52357e-05 0.0288327 4.38685e-05 0.0288369 4.24409e-05 0.028841 4.0957e-05 0.0288449 3.94212e-05 0.0288485 3.78378e-05 0.0288519 3.62114e-05 0.0288551 3.45463e-05 0.0288581 3.28472e-05 0.0288608 3.11185e-05 0.0288633 2.9365e-05 0.0288656 2.75912e-05 0.0288676 2.5802e-05 0.0288694 2.4002e-05 0.028871 2.2196e-05 0.0288723 2.03884e-05 0.0288733 1.85844e-05 0.0288742 1.6788e-05 0.0288748 1.50044e-05 0.0288751 1.32373e-05 0.0288753 1.14922e-05 0.0288752 9.77193e-06 0.0288749 8.08267e-06 0.0288744 6.42587e-06 0.0288737 4.8088e-06 0.0288728 3.23082e-06 0.0288716 1.7004e-06 0.0288703 2.0906e-07 0.0288689 -1.2027e-06 0.0288672 -2.57638e-06 0.0288654 -3.8824e-06 0.0288634 -5.14011e-06 0.0288613 -6.31599e-06 0.028859 -7.44788e-06 0.0288567 -8.48029e-06 0.0288542 -9.48106e-06 0.0288516 -1.0356e-05 0.0288489 -1.12247e-05 0.0288461 -1.19259e-05 0.0288432 -1.26686e-05 0.0288403 -1.31747e-05 0.0288373 -1.38079e-05 0.0288343 -1.40876e-05 -1.46448e-05 0.0287807 4.67811e-05 0.0287858 4.59779e-05 0.0287908 4.50888e-05 0.0287956 4.41318e-05 0.0288002 4.31108e-05 0.0288048 4.20284e-05 0.0288091 4.08868e-05 0.0288133 3.96885e-05 0.0288173 3.84366e-05 0.0288211 3.71348e-05 0.0288247 3.57867e-05 0.0288282 3.43964e-05 0.0288314 3.29677e-05 0.0288345 3.15044e-05 0.0288373 3.00107e-05 0.0288399 2.84904e-05 0.0288424 2.69478e-05 0.0288446 2.53868e-05 0.0288466 2.38117e-05 0.0288483 2.22265e-05 0.0288499 2.06355e-05 0.0288512 1.90427e-05 0.0288524 1.74524e-05 0.0288533 1.58683e-05 0.028854 1.4295e-05 0.0288545 1.27357e-05 0.0288548 1.11952e-05 0.0288549 9.67609e-06 0.0288548 8.18376e-06 0.0288545 6.71961e-06 0.028854 5.29002e-06 0.0288534 3.89436e-06 0.0288525 2.54088e-06 0.0288515 1.22466e-06 0.0288503 -3.93849e-08 0.028849 -1.25097e-06 0.0288475 -2.40849e-06 0.0288459 -3.52489e-06 0.0288442 -4.56891e-06 0.0288423 -5.57542e-06 0.0288403 -6.49341e-06 0.0288382 -7.38553e-06 0.028836 -8.16494e-06 0.0288337 -8.9421e-06 0.0288314 -9.56805e-06 0.028829 -1.0236e-05 0.0288265 -1.0689e-05 0.0288239 -1.1263e-05 0.0288213 -1.15141e-05 -1.20254e-05 0.0287657 4.19512e-05 0.0287705 4.12532e-05 0.0287751 4.04797e-05 0.0287796 3.9646e-05 0.0287839 3.87557e-05 0.0287881 3.78111e-05 0.0287922 3.6814e-05 0.0287961 3.57668e-05 0.0287999 3.46722e-05 0.0288035 3.35334e-05 0.0288069 3.23536e-05 0.0288102 3.11362e-05 0.0288133 2.98847e-05 0.0288162 2.86025e-05 0.0288189 2.72931e-05 0.0288214 2.596e-05 0.0288238 2.46067e-05 0.0288259 2.3237e-05 0.0288279 2.18544e-05 0.0288296 2.04625e-05 0.0288312 1.90651e-05 0.0288326 1.76655e-05 0.0288338 1.62678e-05 0.0288348 1.48751e-05 0.0288356 1.34914e-05 0.0288362 1.21195e-05 0.0288366 1.07637e-05 0.0288369 9.42626e-06 0.0288369 8.11198e-06 0.0288368 6.82191e-06 0.0288366 5.56201e-06 0.0288361 4.33138e-06 0.0288355 3.13793e-06 0.0288348 1.97737e-06 0.0288339 8.59956e-07 0.0288328 -2.16042e-07 0.0288317 -1.23632e-06 0.0288304 -2.22365e-06 0.0288289 -3.14753e-06 0.0288274 -4.0396e-06 0.0288258 -4.85312e-06 0.028824 -5.64566e-06 0.0288222 -6.33762e-06 0.0288203 -7.0304e-06 0.0288183 -7.5873e-06 0.0288163 -8.18567e-06 0.0288142 -8.58967e-06 0.028812 -9.10795e-06 0.0288098 -9.33248e-06 -9.79936e-06 0.0287525 3.7445e-05 0.0287569 3.6841e-05 0.0287612 3.61706e-05 0.0287654 3.54471e-05 0.0287695 3.46738e-05 0.0287734 3.38525e-05 0.0287773 3.29849e-05 0.028781 3.20732e-05 0.0287845 3.11197e-05 0.0287879 3.01271e-05 0.0287912 2.90983e-05 0.0287943 2.80364e-05 0.0287972 2.69442e-05 0.0288 2.58249e-05 0.0288026 2.46813e-05 0.0288051 2.35167e-05 0.0288073 2.23341e-05 0.0288094 2.11366e-05 0.0288114 1.99276e-05 0.0288131 1.871e-05 0.0288147 1.74872e-05 0.0288161 1.62623e-05 0.0288173 1.50385e-05 0.0288184 1.38187e-05 0.0288193 1.26064e-05 0.02882 1.1404e-05 0.0288205 1.02155e-05 0.0288209 9.04256e-06 0.0288211 7.8896e-06 0.0288212 6.75743e-06 0.0288211 5.65136e-06 0.0288209 4.57063e-06 0.0288205 3.52212e-06 0.02882 2.50244e-06 0.0288193 1.52116e-06 0.0288185 5.69418e-07 0.0288176 -3.29036e-07 0.0288166 -1.19752e-06 0.0288154 -2.01154e-06 0.0288142 -2.79889e-06 0.0288129 -3.51682e-06 0.0288114 -4.21784e-06 0.0288099 -4.82951e-06 0.0288083 -5.4443e-06 0.0288067 -5.93758e-06 0.028805 -6.47113e-06 0.0288032 -6.8298e-06 0.0288014 -7.29526e-06 0.0287996 -7.49512e-06 -7.9188e-06 0.0287408 3.32236e-05 0.028745 3.27034e-05 0.028749 3.21251e-05 0.028753 3.15004e-05 0.0287568 3.08318e-05 0.0287605 3.01212e-05 0.0287641 2.937e-05 0.0287676 2.858e-05 0.028771 2.77534e-05 0.0287742 2.68925e-05 0.0287773 2.59998e-05 0.0287803 2.5078e-05 0.0287831 2.41295e-05 0.0287858 2.3157e-05 0.0287883 2.21632e-05 0.0287907 2.11507e-05 0.0287929 2.01223e-05 0.0287949 1.90807e-05 0.0287968 1.80286e-05 0.0287986 1.69688e-05 0.0288002 1.59041e-05 0.0288016 1.48373e-05 0.0288028 1.37711e-05 0.028804 1.27081e-05 0.0288049 1.16513e-05 0.0288057 1.06029e-05 0.0288064 9.5662e-06 0.0288069 8.54277e-06 0.0288072 7.53645e-06 0.0288074 6.54795e-06 0.0288075 5.58189e-06 0.0288074 4.63761e-06 0.0288072 3.72125e-06 0.0288069 2.8296e-06 0.0288065 1.97175e-06 0.0288059 1.13975e-06 0.0288052 3.47018e-07 0.0288044 -4.12106e-07 0.0288035 -1.12487e-06 0.0288025 -1.81593e-06 0.0288015 -2.4461e-06 0.0288003 -3.06274e-06 0.0287991 -3.60044e-06 0.0287978 -4.14289e-06 0.0287964 -4.57737e-06 0.028795 -5.05025e-06 0.0287935 -5.36685e-06 0.028792 -5.78214e-06 0.0287905 -5.95901e-06 -6.34061e-06 0.0287306 2.92509e-05 0.0287345 2.88058e-05 0.0287383 2.83101e-05 0.0287421 2.7774e-05 0.0287457 2.71997e-05 0.0287492 2.65887e-05 0.0287527 2.59424e-05 0.028756 2.52623e-05 0.0287592 2.45503e-05 0.0287623 2.38084e-05 0.0287652 2.30387e-05 0.0287681 2.22436e-05 0.0287708 2.14252e-05 0.0287733 2.05858e-05 0.0287758 1.97277e-05 0.0287781 1.88531e-05 0.0287802 1.79646e-05 0.0287822 1.70643e-05 0.0287841 1.61548e-05 0.0287858 1.52383e-05 0.0287874 1.43174e-05 0.0287889 1.33943e-05 0.0287902 1.24716e-05 0.0287913 1.15513e-05 0.0287923 1.06362e-05 0.0287932 9.72804e-06 0.028794 8.82978e-06 0.0287946 7.94276e-06 0.028795 7.0703e-06 0.0287954 6.21298e-06 0.0287956 5.37493e-06 0.0287956 4.55538e-06 0.0287956 3.75991e-06 0.0287954 2.9855e-06 0.0287952 2.24027e-06 0.0287948 1.51746e-06 0.0287943 8.29277e-07 0.0287937 1.61937e-07 0.0287931 -4.55009e-07 0.0287923 -1.05699e-06 0.0287915 -1.60624e-06 0.0287906 -2.1448e-06 0.0287896 -2.61411e-06 0.0287885 -3.08917e-06 0.0287874 -3.46907e-06 0.0287862 -3.88496e-06 0.028785 -4.16236e-06 0.0287838 -4.52983e-06 0.0287825 -4.68514e-06 -5.02571e-06 0.0287217 2.54944e-05 0.0287254 2.51166e-05 0.0287291 2.46953e-05 0.0287326 2.42391e-05 0.028736 2.37499e-05 0.0287394 2.3229e-05 0.0287427 2.26777e-05 0.0287458 2.20971e-05 0.0287489 2.1489e-05 0.0287518 2.08551e-05 0.0287547 2.01972e-05 0.0287574 1.95172e-05 0.02876 1.88171e-05 0.0287625 1.80988e-05 0.0287649 1.73642e-05 0.0287671 1.66154e-05 0.0287692 1.58543e-05 0.0287712 1.5083e-05 0.028773 1.43035e-05 0.0287748 1.35179e-05 0.0287764 1.27283e-05 0.0287778 1.19366e-05 0.0287791 1.1145e-05 0.0287803 1.03553e-05 0.0287814 9.56984e-06 0.0287823 8.79013e-06 0.0287832 8.01872e-06 0.0287838 7.25673e-06 0.0287844 6.50706e-06 0.0287848 5.77015e-06 0.0287852 5.04962e-06 0.0287854 4.34472e-06 0.0287855 3.66034e-06 0.0287855 2.99385e-06 0.0287854 2.35223e-06 0.0287851 1.72971e-06 0.0287848 1.13702e-06 0.0287844 5.6265e-07 0.028784 2.45268e-08 0.0287834 -4.91522e-07 0.0287828 -9.65765e-07 0.028782 -1.43176e-06 0.0287813 -1.83755e-06 0.0287804 -2.24956e-06 0.0287795 -2.57855e-06 0.0287786 -2.94063e-06 0.0287776 -3.18132e-06 0.0287766 -3.50304e-06 0.0287755 -3.63808e-06 -3.93852e-06 0.0287141 2.19239e-05 0.0287176 2.16068e-05 0.0287211 2.12528e-05 0.0287244 2.0869e-05 0.0287277 2.04571e-05 0.0287309 2.00181e-05 0.0287341 1.95532e-05 0.0287371 1.90633e-05 0.02874 1.855e-05 0.0287429 1.80146e-05 0.0287456 1.74588e-05 0.0287482 1.68841e-05 0.0287508 1.62922e-05 0.0287532 1.56847e-05 0.0287555 1.50633e-05 0.0287577 1.44296e-05 0.0287597 1.37854e-05 0.0287617 1.31324e-05 0.0287635 1.24723e-05 0.0287652 1.18068e-05 0.0287668 1.11378e-05 0.0287683 1.04668e-05 0.0287696 9.79583e-06 0.0287709 9.12627e-06 0.028772 8.46014e-06 0.028773 7.79874e-06 0.0287738 7.14421e-06 0.0287746 6.4975e-06 0.0287752 5.8611e-06 0.0287758 5.23534e-06 0.0287762 4.62333e-06 0.0287765 4.02442e-06 0.0287767 3.44275e-06 0.0287769 2.87608e-06 0.0287769 2.33046e-06 0.0287768 1.80075e-06 0.0287767 1.29654e-06 0.0287764 8.07475e-07 0.0287761 3.4916e-07 0.0287757 -9.3128e-08 0.0287752 -4.9649e-07 0.0287747 -8.94365e-07 0.0287741 -1.24074e-06 0.0287734 -1.59342e-06 0.0287727 -1.87464e-06 0.028772 -2.18568e-06 0.0287712 -2.39181e-06 0.0287703 -2.66956e-06 0.0287695 -2.78542e-06 -3.04656e-06 0.0287076 1.85115e-05 0.028711 1.82495e-05 0.0287143 1.79568e-05 0.0287175 1.76391e-05 0.0287206 1.72978e-05 0.0287237 1.69338e-05 0.0287267 1.6548e-05 0.0287297 1.61414e-05 0.0287325 1.5715e-05 0.0287352 1.52702e-05 0.0287379 1.48083e-05 0.0287404 1.43305e-05 0.0287429 1.38382e-05 0.0287452 1.33328e-05 0.0287475 1.28157e-05 0.0287496 1.22883e-05 0.0287517 1.1752e-05 0.0287536 1.12082e-05 0.0287554 1.06584e-05 0.0287571 1.0104e-05 0.0287587 9.54656e-06 0.0287602 8.98735e-06 0.0287616 8.42799e-06 0.0287628 7.86971e-06 0.028764 7.31418e-06 0.028765 6.76246e-06 0.0287659 6.21637e-06 0.0287667 5.67667e-06 0.0287675 5.14545e-06 0.0287681 4.62299e-06 0.0287686 4.11188e-06 0.028769 3.61156e-06 0.0287693 3.12556e-06 0.0287695 2.65188e-06 0.0287697 2.19575e-06 0.0287697 1.75268e-06 0.0287697 1.3309e-06 0.0287696 9.21766e-07 0.0287694 5.38514e-07 0.0287691 1.6521e-07 0.0287688 -1.71746e-07 0.0287684 -5.05346e-07 0.028768 -7.95908e-07 0.0287675 -1.09252e-06 0.0287669 -1.32872e-06 0.0287663 -1.59108e-06 0.0287657 -1.76448e-06 0.028765 -1.9998e-06 0.0287643 -2.09744e-06 -2.31998e-06 0.0287022 1.52312e-05 0.0287054 1.50198e-05 0.0287086 1.47833e-05 0.0287117 1.45263e-05 0.0287147 1.42501e-05 0.0287177 1.39553e-05 0.0287206 1.36426e-05 0.0287234 1.3313e-05 0.0287262 1.29672e-05 0.0287289 1.26063e-05 0.0287314 1.22314e-05 0.0287339 1.18435e-05 0.0287363 1.14437e-05 0.0287386 1.10332e-05 0.0287408 1.06131e-05 0.0287429 1.01845e-05 0.0287449 9.74857e-06 0.0287468 9.30648e-06 0.0287486 8.85943e-06 0.0287503 8.40854e-06 0.0287519 7.95507e-06 0.0287534 7.50011e-06 0.0287548 7.04493e-06 0.0287561 6.59055e-06 0.0287572 6.13832e-06 0.0287583 5.68911e-06 0.0287593 5.2444e-06 0.0287602 4.80481e-06 0.0287609 4.37204e-06 0.0287616 3.94631e-06 0.0287622 3.52975e-06 0.0287627 3.12187e-06 0.0287631 2.7256e-06 0.0287634 2.33924e-06 0.0287636 1.96712e-06 0.0287638 1.60556e-06 0.0287638 1.26127e-06 0.0287638 9.27187e-07 0.0287638 6.14292e-07 0.0287636 3.09495e-07 0.0287634 3.12783e-08 0.0287631 -2.39814e-07 0.0287628 -4.77589e-07 0.0287625 -7.20867e-07 0.028762 -9.14355e-07 0.0287616 -1.13003e-06 0.0287611 -1.27224e-06 0.0287606 -1.46642e-06 0.02876 -1.54663e-06 -1.73117e-06 0.0286977 1.20589e-05 0.0287009 1.18942e-05 0.0287039 1.17098e-05 0.0287069 1.15092e-05 0.0287099 1.12935e-05 0.0287128 1.10631e-05 0.0287156 1.08187e-05 0.0287184 1.05609e-05 0.0287211 1.02905e-05 0.0287236 1.00081e-05 0.0287262 9.7146e-06 0.0287286 9.41092e-06 0.0287309 9.09788e-06 0.0287332 8.77636e-06 0.0287354 8.44724e-06 0.0287374 8.1114e-06 0.0287394 7.76978e-06 0.0287413 7.42325e-06 0.0287431 7.07279e-06 0.0287448 6.71926e-06 0.0287464 6.36364e-06 0.0287479 6.0068e-06 0.0287493 5.64974e-06 0.0287506 5.29325e-06 0.0287518 4.93839e-06 0.0287529 4.58584e-06 0.0287539 4.23677e-06 0.0287548 3.89166e-06 0.0287556 3.55185e-06 0.0287563 3.2175e-06 0.028757 2.89031e-06 0.0287575 2.56986e-06 0.028758 2.25848e-06 0.0287584 1.95481e-06 0.0287587 1.66228e-06 0.0287589 1.37796e-06 0.0287591 1.10719e-06 0.0287591 8.44305e-07 0.0287592 5.98142e-07 0.0287591 3.58093e-07 0.028759 1.39104e-07 0.0287588 -7.53561e-08 0.0287586 -2.62385e-07 0.0287584 -4.54376e-07 0.028758 -6.0697e-07 0.0287577 -7.77576e-07 0.0287573 -8.89858e-07 0.0287569 -1.04395e-06 0.0287564 -1.10736e-06 -1.2544e-06 0.0286942 8.97122e-06 0.0286973 8.85038e-06 0.0287003 8.71475e-06 0.0287032 8.56727e-06 0.0287061 8.40851e-06 0.0287089 8.23893e-06 0.0287117 8.05894e-06 0.0287144 7.86901e-06 0.028717 7.66968e-06 0.0287196 7.46153e-06 0.028722 7.24518e-06 0.0287244 7.02124e-06 0.0287267 6.79037e-06 0.0287289 6.5532e-06 0.0287311 6.31038e-06 0.0287331 6.06257e-06 0.0287351 5.81046e-06 0.028737 5.55469e-06 0.0287387 5.29598e-06 0.0287404 5.03498e-06 0.028742 4.77241e-06 0.0287435 4.50889e-06 0.0287449 4.24518e-06 0.0287462 3.98186e-06 0.0287474 3.71972e-06 0.0287486 3.45925e-06 0.0287496 3.20131e-06 0.0287505 2.94626e-06 0.0287514 2.69511e-06 0.0287522 2.44795e-06 0.0287529 2.20605e-06 0.0287535 1.96909e-06 0.028754 1.73881e-06 0.0287544 1.51419e-06 0.0287548 1.29778e-06 0.0287551 1.08738e-06 0.0287553 8.87005e-07 0.0287554 6.92374e-07 0.0287555 5.10138e-07 0.0287556 3.32369e-07 0.0287555 1.70373e-07 0.0287554 1.01694e-08 0.0287553 -1.27618e-07 0.0287551 -2.70144e-07 0.0287549 -3.83371e-07 0.0287546 -5.10229e-07 0.0287543 -5.93579e-07 0.028754 -7.08419e-07 0.0287537 -7.5554e-07 -8.65472e-07 0.0286917 5.94673e-06 0.0286946 5.86722e-06 0.0286976 5.77805e-06 0.0287005 5.68107e-06 0.0287033 5.57664e-06 0.0287061 5.46506e-06 0.0287088 5.34661e-06 0.0287114 5.2216e-06 0.028714 5.09038e-06 0.0287165 4.95333e-06 0.028719 4.81085e-06 0.0287213 4.66337e-06 0.0287236 4.51129e-06 0.0287258 4.35505e-06 0.0287279 4.19507e-06 0.0287299 4.03178e-06 0.0287319 3.86565e-06 0.0287337 3.69708e-06 0.0287355 3.52657e-06 0.0287372 3.35452e-06 0.0287388 3.18142e-06 0.0287403 3.00769e-06 0.0287417 2.83382e-06 0.028743 2.66018e-06 0.0287442 2.48731e-06 0.0287454 2.31552e-06 0.0287464 2.14539e-06 0.0287474 1.97715e-06 0.0287483 1.81146e-06 0.0287491 1.64839e-06 0.0287498 1.48878e-06 0.0287505 1.33241e-06 0.028751 1.18042e-06 0.0287515 1.03215e-06 0.0287519 8.89291e-07 0.0287522 7.50365e-07 0.0287525 6.18056e-07 0.0287527 4.89505e-07 0.0287529 3.69137e-07 0.0287529 2.51699e-07 0.028753 1.44626e-07 0.0287529 3.86477e-08 0.0287529 -5.25452e-08 0.0287527 -1.46782e-07 0.0287526 -2.21658e-07 0.0287524 -3.05702e-07 0.0287521 -3.60858e-07 0.0287519 -4.37063e-07 0.0287516 -4.6828e-07 -5.414e-07 0.02869 2.96367e-06 0.0286929 2.92385e-06 0.0286958 2.87974e-06 0.0286987 2.83159e-06 0.0287014 2.77973e-06 0.0287042 2.72436e-06 0.0287069 2.66559e-06 0.0287095 2.60356e-06 0.028712 2.53844e-06 0.0287145 2.47042e-06 0.0287169 2.3997e-06 0.0287193 2.32649e-06 0.0287215 2.251e-06 0.0287237 2.17343e-06 0.0287258 2.09401e-06 0.0287278 2.01294e-06 0.0287298 1.93044e-06 0.0287316 1.84674e-06 0.0287334 1.76206e-06 0.0287351 1.67662e-06 0.0287367 1.59066e-06 0.0287382 1.50437e-06 0.0287396 1.41801e-06 0.0287409 1.33176e-06 0.0287421 1.24589e-06 0.0287433 1.16055e-06 0.0287444 1.07603e-06 0.0287454 9.92443e-07 0.0287463 9.10122e-07 0.0287471 8.29093e-07 0.0287478 7.49779e-07 0.0287485 6.72068e-07 0.0287491 5.96537e-07 0.0287496 5.22841e-07 0.02875 4.51835e-07 0.0287504 3.82769e-07 0.0287507 3.16999e-07 0.0287509 2.53074e-07 0.0287511 1.93227e-07 0.0287512 1.34821e-07 0.0287513 8.15829e-08 0.0287513 2.88503e-08 0.0287512 -1.65587e-08 0.0287512 -6.34533e-08 0.028751 -1.0069e-07 0.0287509 -1.42585e-07 0.0287507 -1.69997e-07 0.0287504 -2.0804e-07 0.0287502 -2.23531e-07 -2.60085e-07 0.0286891 0.028692 0.0286949 0.0286977 0.0287005 0.0287032 0.0287059 0.0287085 0.0287111 0.0287135 0.0287159 0.0287183 0.0287205 0.0287227 0.0287248 0.0287268 0.0287287 0.0287306 0.0287323 0.028734 0.0287356 0.0287371 0.0287385 0.0287398 0.0287411 0.0287423 0.0287433 0.0287443 0.0287452 0.0287461 0.0287468 0.0287475 0.0287481 0.0287486 0.0287491 0.0287494 0.0287498 0.02875 0.0287502 0.0287503 0.0287504 0.0287504 0.0287504 0.0287504 0.0287503 0.0287501 0.02875 0.0287497 0.0287495 ) ; boundaryField { inlet { type calculated; value nonuniform 0(); } outlet { type calculated; value nonuniform List<scalar> 66 ( 0.0259239 0.0299543 0.0308831 0.0310543 0.0310188 0.0309165 0.0307953 0.0306638 0.0305288 0.0303938 0.0302616 0.0301344 0.0300134 0.0298994 0.0297929 0.0296941 0.0296028 0.0295189 0.029442 0.0293718 0.0293077 0.0292494 0.0291965 0.0291485 0.029105 0.0290656 0.0290299 0.0289977 0.0289686 0.0289423 0.0289186 0.0288972 0.028878 0.0288607 0.0288451 0.0288312 0.0288187 0.0288076 0.0287977 0.0287889 0.0287812 0.0287744 0.0287686 0.0287636 0.0287594 0.028756 0.0287533 0.0287513 0.0287499 0.0287493 0.00107517 0.00112074 0.00120976 0.00133807 0.00149999 0.00168894 0.00189801 0.00212043 0.00235005 0.00258149 0.00281034 0.00303307 0.00324706 0.00345044 0.00364202 0.00107524 ) ; } cylinder { type calculated; value nonuniform 0(); } top { type symmetryPlane; value uniform 0; } bottom { type symmetryPlane; value nonuniform 0(); } defaultFaces { type empty; value nonuniform 0(); } procBoundary3to1 { type processor; value nonuniform List<scalar> 57 ( 1.15517e-08 1.46627e-08 1.82176e-08 2.2348e-08 2.72249e-08 3.30715e-08 1.09318e-07 1.54242e-07 2.0779e-07 2.71422e-07 3.41396e-07 4.13696e-07 4.8165e-07 5.36469e-07 5.67866e-07 5.64592e-07 5.15797e-07 4.12766e-07 2.50804e-07 2.95353e-08 -2.43575e-07 -5.54543e-07 -8.83363e-07 -1.19615e-06 -1.32565e-06 -1.59805e-06 -1.79022e-06 -1.8705e-06 -1.87062e-06 -1.78287e-06 -1.61655e-06 -1.37989e-06 -1.08868e-06 -7.58881e-07 -4.11081e-07 -5.06177e-08 2.97727e-07 6.26274e-07 9.20943e-07 1.1779e-06 1.38779e-06 1.55385e-06 1.67267e-06 1.74241e-06 1.767e-06 1.74851e-06 1.6898e-06 1.59485e-06 1.46657e-06 1.3092e-06 1.12486e-06 9.16518e-07 6.84555e-07 4.26813e-07 1.46271e-07 -9.71576e-05 -0.000978338 ) ; } procBoundary3to2 { type processor; value nonuniform List<scalar> 71 ( 0.000210201 0.000205246 0.000195563 0.000181573 0.000163809 0.000142781 0.000193232 0.000131405 9.57453e-05 0.000203666 3.98918e-05 -2.44371e-05 0.000123407 -0.000173319 -1.28176e-05 -0.000437711 -0.000658526 -0.000479556 -0.001228 -0.000961405 -0.00201902 -0.0304308 -0.0342271 -0.0344959 -0.0339065 -0.0333219 -0.032836 -0.032406 -0.0320276 -0.0316885 -0.0313833 -0.0311081 -0.0308595 -0.0306349 -0.030432 -0.0302488 -0.0300836 -0.0299347 -0.0298006 -0.02968 -0.0295716 -0.0294741 -0.0293865 -0.0293079 -0.0292374 -0.029174 -0.0291173 -0.0290663 -0.0290207 -0.0289798 -0.0289432 -0.0289104 -0.0288811 -0.0288549 -0.0288315 -0.0288106 -0.0287921 -0.0287755 -0.0287609 -0.028748 -0.0287366 -0.0287266 -0.028718 -0.0287105 -0.0287042 -0.0286989 -0.0286946 -0.0286912 -0.0286886 -0.028687 -0.0286861 ) ; } } // ************************************************************************* //
[ "carsonlansdowne@gmail.com" ]
carsonlansdowne@gmail.com
81d044b609354ab6e16eff983fec2088b5e09851
207bf930dda60c2c100fb5bc92a141f85e70b96e
/SAGE1.1Src/Demo 06/SAGE/Source/Particle/Particle.h
de9387c12ed52713b579633215411a23f6a64b1f
[]
no_license
dumppool/nvvg
9a8ffd72b4cab086215ec38f6494cd234b5f7796
1a4f8d3bd03daedea8e07ea498d54066827104b3
refs/heads/master
2020-09-14T17:03:22.426495
2011-05-03T20:13:10
2011-05-03T20:13:10
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,103
h
/* ----o0o=================================================================o0o---- * Copyright (c) 2006, Ian Parberry * All rights reserved. * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions are met: * * * Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * * Neither the name of the University of North Texas nor the * names of its contributors may be used to endorse or promote products * derived from this software without specific prior written permission. * * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS ``AS IS'' * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED * WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE * DISCLAIMED. IN NO EVENT SHALL THE REGENTS AND CONTRIBUTORS BE LIABLE FOR ANY * DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES * (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; * LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND * ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS * SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. ----o0o=================================================================o0o---- */ /// \file Particle.h /// \brief Interface for the Particle class. #ifndef __PARTICLE_H_INCLUDED__ #define __PARTICLE_H_INCLUDED__ #include "common/Vector3.h" //----------------------------------------------------------------------------- /// \brief Particle information used by ParticleEffect /// /// Represents a single particle class Particle { friend class ParticleEffect; public: Vector3 position; ///< Position of the particle Vector3 velocity; ///< Velocity of the particle float drag; ///< Rate at which velocity slows float size; ///< Size of the particle unsigned int color; ///< Color value of the particle float lifeleft; ///< Time in seconds until the particle dies bool birthed; ///< Whether this particle has been created (used) float rotation; ///< Current rotation of the particle float rotationSpeed; ///< Speed at which the particle rotates (in radians/sec) float rotationStopTime; ///< Time until rotation stops float uLeft; ///< Texture coords of the particle (top left) float uRight; ///< Texture coords of the particle (top right) float vTop; ///< Texture coords of the particle (bottom left) float vBottom; ///< Texture coords of the particle (bottom right) float distance; ///< Used by the effect class for sorting }; //----------------------------------------------------------------------------- #endif
[ "c.a.russell@ou.edu" ]
c.a.russell@ou.edu
9d09fa8911d40ff39eb72393dc2009c21490c4d5
775acebaa6559bb12365c930330a62365afb0d98
/source/public/libs/publiclib/plugins/Ext.cpp
28b8e1954d8270ccc933088ee6b1d80435d4b504
[]
no_license
Al-ain-Developers/indesing_plugin
3d22c32d3d547fa3a4b1fc469498de57643e9ee3
36a09796b390e28afea25456b5d61597b20de850
refs/heads/main
2023-08-14T13:34:47.867890
2021-10-05T07:57:35
2021-10-05T07:57:35
339,970,603
1
1
null
2021-10-05T07:57:36
2021-02-18T07:33:40
C++
UTF-8
C++
false
false
10,658
cpp
//======================================================================================== // // $File: // // Owner: // // $Author: // // $DateTime: // // $Revision: // // $Change: // // ADOBE CONFIDENTIAL // // Copyright 1997-2010 Adobe Systems Incorporated. All rights reserved. // // NOTICE: All information contained herein is, and remains // the property of Adobe Systems Incorporated and its suppliers, // if any. The intellectual and technical concepts contained // herein are proprietary to Adobe Systems Incorporated and its // suppliers and may be covered by U.S. and Foreign Patents, // patents in process, and are protected by trade secret or copyright law. // Dissemination of this information or reproduction of this material // is strictly forbidden unless prior written permission is obtained // from Adobe Systems Incorporated. // //======================================================================================== #include "VCShuksanHeaders.h" #include "IDIMSConnection.h" #include "Ext.h" #include "ExtLibLoader.h" #include "SerialNumberPrivate.h" #include "LocaleSetting.h" #include "LocaleIDConversionUtils.h" #include "PlugInList.h" #include "BuildNumber.h" #include "ICSXSExtension.h" #include "IUsageTracking.h" using namespace extlib; bool16 CExt::extInitialized = kFalse; CExt::CExt() { } CExt::~CExt() { } bool16 CExt::isInitialized() { return extInitialized; } bool16 CExt::InitializeExtLib() { if(extInitialized) { return kTrue; } InterfacePtr<IUsageTracking> usageTracking(GetExecutionContextSession(), UseDefaultIID()); bool16 isLoggingEnabled = usageTracking && usageTracking->IsUsageLoggingEnabled(); //name of point product - 4 char code const char* product_code; if (LocaleSetting::GetLocale().IsProductFS(kInDesignProductFS)) { product_code = kIDEnigmaCode; } else if (LocaleSetting::GetLocale().IsProductFS(kInCopyProductFS)) { product_code = kICEnigmaCode; } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kExtSubCategory, "Unexpected_product"); } return kFalse; } //Locale PMLocaleId localeID = LocaleSetting::GetLocale(); PMString uiLocale = LocaleIDConversionUtils::GetFullEnumString(localeID); uiLocale.Insert('_', 2); uiLocale.SetTranslatable(kFalse); std::string product_locale = uiLocale.GetUTF8String(); if(product_locale == "") { return kFalse; } //User Guid int success = 0; const char *userGUID = ""; #if USE_AMT if (AMTPrivate::UseAMT()) { success = SerialNumberPrivate::GetAMTUserGUID(&userGUID); if (success == 0) // GUID not retrieved successfully { userGUID = ""; return kFalse; } } #endif IDIMSConnection* fIDIMSConnection = new IDIMSConnection(kInDesignTypeKitInstance); bool isGM = false; std::string client_id = ""; if(fIDIMSConnection) { isGM = fIDIMSConnection->GetGmValue(); //IDIMS Client ID client_id = fIDIMSConnection->GetClientId(); if(client_id == "") { return kFalse; } delete fIDIMSConnection; fIDIMSConnection = nil; } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kExtSubCategory, "IDIMS_Connection_Failed"); } return kFalse; } //Host Session GUID std::string sessionID = ""; sessionID = usageTracking->GetSessionID(); if(sessionID == "") { return kFalse; } ext_status status = ext_initialize(client_id.c_str(), product_code, kVersionNumberForResourceStr, userGUID, product_locale.c_str(), sessionID.c_str(), isGM); if(status == kExt_Success) { extInitialized = kTrue; return kTrue; } if(isLoggingEnabled) { std::string errorStr = std::to_string(status); usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kExtSubCategory, errorStr.c_str()); //init failed with error code } return kFalse; } int32 CExt::LogEventForPluginList() { //ExtLib should be initialized for this call if(!extInitialized) { return -1; } InterfacePtr<IUsageTracking> usageTracking(GetExecutionContextSession(), UseDefaultIID()); bool16 isLoggingEnabled = usageTracking && usageTracking->IsUsageLoggingEnabled(); ext_event_list myList; ext_status status = ext_create_event_list(&myList); if (status == kExt_Success) { InterfacePtr<IPlugInList> pluginList(GetExecutionContextSession(), UseDefaultIID()); InterfacePtr<const IPlugInListUtils> plugInUtils(GetExecutionContextSession(), IID_IPLUGINLISTUTILS); int32 pluginCount = pluginList->GetPluginCount(); for (int32 i = 0; i < pluginCount; i++) { PluginID pluginID = pluginList->GetNthPlugin(i); // checking for 3rd party developers plugins if (!plugInUtils->IsAdobePlugin(pluginID)) { std::string id = std::to_string( pluginID.Get()); const PMString &tempName = pluginList->GetPluginName(pluginID); std::string pluginName = tempName.GetUTF8String(); if(pluginName == "") { pluginName = id; } //plugin version of form x.y.z.w const PMString* plugin_version = pluginList->GetAUMVersionString(pluginID); std::string addon_version = plugin_version->GetUTF8String(); //application version int32 app_major, app_minor; pluginList->GetAppExpectedVersionNumber(pluginID, app_major, app_minor); std::string minor_version = std::to_string(app_minor); std::string major_version = std::to_string(app_major); ext_event evt; status = ext_create_event(pluginName.c_str(), kCPP, &evt); if (status == kExt_Success) { ext_set_addon_id(evt, id.c_str()); ext_set_addon_version(evt, addon_version.c_str()); ext_set_min_supported_version(evt, minor_version.c_str()); ext_set_max_supported_version(evt, major_version.c_str()); status = ext_add_event_to_list(myList, evt); if(status == kExt_Success) { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCPPEvent, pluginName.c_str()); //successfully added event for cpp plugin } } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCPPEvent, "Add_event_failed"); } } ext_release_event(&evt); } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCPPEvent, "Create_event_failed"); } } } //else its an adobe plugin } //log all the events status = ext_log_events(myList); if(status != kExt_Success) { if (isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCPPEvent, "Log_events_failed"); } } ext_release_event_list(&myList); } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCPPEvent, "Create_event_list_failed"); } return -1; } return 0; } int32 CExt::LogCepExtension(const PMString& extensionID) { if(!extInitialized) { return -1; } InterfacePtr<IUsageTracking> usageTracking(GetExecutionContextSession(), UseDefaultIID()); bool16 isLoggingEnabled = usageTracking && usageTracking->IsUsageLoggingEnabled(); std::string addon_name = extensionID.GetUTF8String(); ext_event evt; ext_status status = ext_create_event(addon_name.c_str(), kCEP, &evt); if(status == kExt_Success) { ext_set_addon_id(evt, addon_name.c_str()); InterfacePtr<ICSXSPlugPlug> plugPlug( ICSXSPlugPlug::QueryPlugPlug() ) ; InterfacePtr<ICSXSExtension> extension( plugPlug->QueryExtensionByExtensionID(extensionID) ) ; if(extension) { const PlugPlugExtensionData* extensionData = extension->GetExtensionData(); if(extensionData) { PlugPlugVersionType* version = extensionData->version; if(version) { ext_set_addon_version(evt, version->versionStr); } } } status = ext_log_event(evt); if(status != kExt_Success) { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCEPEvent, "Log_event_failed"); } } ext_release_event(&evt); return 0; } else { if(isLoggingEnabled) { usageTracking->LogUsageEvent(IDUsageTracking_kExtCategory, IDUsageTracking_kCEPEvent, "Create_event_failed"); } } return -1; } void CExt::DeinitializeExtlib() { if (extInitialized) { ext_status status = ext_deinitialize(); extInitialized = kFalse; } }
[ "75730278+Tarekhesham10@users.noreply.github.com" ]
75730278+Tarekhesham10@users.noreply.github.com
aa10e41e1b97d34a3d076620b058c4ab49dd2da4
6226d6aed3629aa4069c46971ffe764bb6c743f6
/ThirdParty/Newton/dScene/dCollisionSphereNodeInfo.h
a1c14d01c821846c384ac35f34d693dcde1d2b18
[]
no_license
Myway3D/Myway3D
83c30258f1e3eae90e619269406acd0ddeac7887
39cf569993f62fc648cbba49ebf74b3f8a64e46a
refs/heads/master
2020-04-22T20:24:15.817427
2014-03-09T14:25:23
2014-03-09T14:25:23
170,640,096
2
1
null
null
null
null
UTF-8
C++
false
false
2,984
h
///////////////////////////////////////////////////////////////////////////// // Name: dCollisionSphereNodeInfo.h // Purpose: // Author: Julio Jerez // Modified by: // Created: 22/05/2010 08:02:08 // RCS-ID: // Copyright: Copyright (c) <2010> <Newton Game Dynamics> // License: // This software is provided 'as-is', without any express or implied // warranty. In no event will the authors be held liable for any damages // arising from the use of this software. // // Permission is granted to anyone to use this software for any purpose, // including commercial applications, and to alter it and redistribute it // freely ///////////////////////////////////////////////////////////////////////////// #ifndef _D_COLLISION_SPHERE_NODE_H_ #define _D_COLLISION_SPHERE_NODE_H_ #include "dCollisionNodeInfo.h" class dCollisionSphereNodeInfo: public dCollisionNodeInfo { public: D_DEFINE_CLASS_NODE(dCollisionSphereNodeInfo,dCollisionNodeInfo) dCollisionSphereNodeInfo(); dCollisionSphereNodeInfo(dScene* world); dCollisionSphereNodeInfo(NewtonCollision* sphere); virtual ~dCollisionSphereNodeInfo(void); virtual void SetRadius (const dVector& size); virtual const dVector& GetRadius () const; virtual void BakeTransform (const dMatrix& transform); virtual void CalculateInertiaGeometry (dScene* world, dVector& Inertia, dVector& centerOfMass) const; // virtual void UpdateOOBB (dGeometryNodeInfo* geomInfo); // virtual dFloat RayCast (const dVector& p0, const dVector& p1) const; // draw scene in wire frame mode virtual void DrawWireFrame(dScene* const world, dScene::dTreeNode* const myNode, const dVector& color) const; // draw scene in solid wire frame mode virtual void DrawSolidWireFrame(dScene* const world, dScene::dTreeNode* const myNode, const dVector& color) const; // draw scene in Gouraud shaded normal textured mode virtual void DrawGouraudShaded(dScene* const world, dScene::dTreeNode* const myNode, const dVector& color) const; // Draw selection gizmo virtual void DrawGizmo(dScene* const world, dScene::dTreeNode* const myNode, const dMatrix& coordinaSystem, const dVector& color, dGizmoMode mode, dFloat size) const; virtual dGizmoHandle GetHighlightedGizmoHandle(dScene* const world, dScene::dTreeNode* const myNode, const dMatrix& coordinaSystem, const dVector& screenPosition, dGizmoMode mode, dFloat size) const; virtual void DrawGizmoHandle(dScene* world, const dMatrix& coordinaSystem, dGizmoMode mode, dGizmoHandle handle, const dVector& color, dFloat size) const; protected: virtual void SerializeBinary (FILE* file); virtual void Serialize (TiXmlElement* rootNode) const; virtual bool Deserialize (TiXmlElement* rootNode, int revisionNumber); virtual NewtonCollision* CreateNewtonCollision (NewtonWorld* const world, dScene* const scene, dScene::dTreeNode* const myNode) const; dVector m_radius; }; #endif
[ "Myway3D@gmail.com@ff49bfeb-f889-bd78-9ae6-4dc862721fa0" ]
Myway3D@gmail.com@ff49bfeb-f889-bd78-9ae6-4dc862721fa0
d640a57b269de38ce6c1313b6eff1c59c6184028
d61f2cac3bd9ed39f95184b89dd40952c6482786
/testCase/results/1/wBA_l
6f2f9b988923d67e0983502b350251ab85038910
[]
no_license
karimimp/PUFoam
4b3a5b427717aa0865889fa2342112cc3d24ce66
9d16e06d63e141607491219924018bea99cbb9e5
refs/heads/master
2022-06-24T08:51:18.370701
2022-04-28T18:33:03
2022-04-28T18:33:03
120,094,729
6
3
null
2022-04-27T09:46:38
2018-02-03T13:43:52
C++
UTF-8
C++
false
false
3,378
/*--------------------------------*- C++ -*----------------------------------*\ | ========= | | | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox | | \\ / O peration | Version: 3.0.1 | | \\ / A nd | Web: www.OpenFOAM.org | | \\/ M anipulation | | \*---------------------------------------------------------------------------*/ FoamFile { version 2.0; format ascii; class volScalarField; location "1"; object wBA_l; } // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // dimensions [0 0 0 0 0 0 0]; internalField nonuniform List<scalar> 800 ( 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 0.056985075 2.9851201e-05 2.9849811e-05 2.984946e-05 2.9849921e-05 2.9850105e-05 2.9850198e-05 2.9850232e-05 2.9850187e-05 2.9850195e-05 2.9850176e-05 2.98502e-05 2.9850163e-05 2.985022e-05 2.9850213e-05 2.9850146e-05 2.9850103e-05 2.98499e-05 2.9849407e-05 2.9849763e-05 2.9851267e-05 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 ) ; boundaryField { Wall { type zeroGradient; } frontAndBack { type empty; } atmosphere { type zeroGradient; } } // ************************************************************************* //
[ "mohsenk@outlook.com" ]
mohsenk@outlook.com
aab318713c2019ff26cfdec80ef0fa1ce87a9699
7dc042a3f9068bc911c16f9173393660df704dab
/VC2008Samples/Language/New Syntax/C++ Language Samples/destructors.cpp
e754d680760278542c126977876631172aaa0bbb
[ "MIT" ]
permissive
pluciro/VCSamples
5639f953bfbe0ef598af601cc78d5a18012e1792
8453972390580ef1bbc8c09ec7a14d3c9111518e
refs/heads/master
2022-05-10T04:45:11.889276
2022-05-06T15:11:50
2022-05-06T15:11:50
280,199,366
0
0
NOASSERTION
2020-07-16T16:10:32
2020-07-16T16:10:32
null
UTF-8
C++
false
false
2,012
cpp
/////////////////////////////////////////////////////////////////////////// // // Copyright (c) Microsoft Corp. All rights reserved. // // Description: // /////////////////////////////////////////////////////////////////////////// #include "samples.h" //========================================================================= // SIMPLE DESTRUCTOR //========================================================================= ref class SimpleDestructorType { public: ~SimpleDestructorType() { Console::WriteLine(" Called Destructor in Simple Type"); } }; void SimpleDestructor() { SimpleDestructorType^ hsdt = gcnew SimpleDestructorType; delete hsdt; } //========================================================================= // EMBEDDED CLASS //========================================================================= ref class EmbeddedDestructorType { public: ~EmbeddedDestructorType() { Console::WriteLine(" Called Destructor with Embedded Type"); } }; void EmbeddedDestructor() { EmbeddedDestructorType^ hedt = gcnew EmbeddedDestructorType; delete hedt; } //========================================================================= // DERIVED CLASS DESTRUCTOR //========================================================================= ref class DerivedDestructorType : SimpleDestructorType { public: ~DerivedDestructorType() { Console::WriteLine(" Called Destructor in Derived Type"); } }; void DerivedClassDestructor() { DerivedDestructorType^ hddt = gcnew DerivedDestructorType; delete hddt; } //========================================================================= // DESTRUCTOR SAMPLE //========================================================================= void Destructors() { Console::WriteLine("=== Beginning of Destructors Sample ===\n"); SimpleDestructor(); EmbeddedDestructor(); DerivedClassDestructor(); Console::WriteLine("\n=== End of Destructors Sample ==="); }
[ "ericmitt@corp.microsoft.com" ]
ericmitt@corp.microsoft.com
35ab90734d97d9cd9912d9141b734a14bd2d5d82
d8ba2ef2a3a585f4c073c6dc2b99cd78ebe2e104
/Qt/project_Babel/ui_home.h
40cbfdf9604f5d5a422ac8676af177b1c3ae73bb
[]
no_license
Zaboon/cpp_babel
9d2b01d6600d6bad0642119aa1a2ff7e5c618ec3
4f0814774b0635a0eb212bc03bd26bf1a3b349cd
refs/heads/master
2021-01-10T14:43:12.956727
2015-11-17T21:40:52
2015-11-17T21:40:52
43,737,708
0
0
null
null
null
null
UTF-8
C++
false
false
8,977
h
/******************************************************************************** ** Form generated from reading UI file 'home.ui' ** ** Created by: Qt User Interface Compiler version 5.5.0 ** ** WARNING! All changes made in this file will be lost when recompiling UI file! ********************************************************************************/ #ifndef UI_HOME_H #define UI_HOME_H #include <QtCore/QVariant> #include <QtWidgets/QAction> #include <QtWidgets/QApplication> #include <QtWidgets/QButtonGroup> #include <QtWidgets/QGridLayout> #include <QtWidgets/QHBoxLayout> #include <QtWidgets/QHeaderView> #include <QtWidgets/QLabel> #include <QtWidgets/QListWidget> #include <QtWidgets/QMainWindow> #include <QtWidgets/QPushButton> #include <QtWidgets/QSpacerItem> #include <QtWidgets/QWidget> QT_BEGIN_NAMESPACE class Ui_Home { public: QWidget *centralwidget; QGridLayout *gridLayout; QLabel *label; QListWidget *listFriends; QSpacerItem *verticalSpacer; QLabel *label_2; QHBoxLayout *horizontalLayout_2; QSpacerItem *horizontalSpacer_12; QLabel *username; QSpacerItem *horizontalSpacer_13; QSpacerItem *horizontalSpacer_4; QSpacerItem *horizontalSpacer_14; QPushButton *lol; QHBoxLayout *horizontalLayout; QSpacerItem *horizontalSpacer_10; QSpacerItem *horizontalSpacer; QPushButton *hideButton; QPushButton *raiseButton; QPushButton *quitButton; QSpacerItem *horizontalSpacer_3; QSpacerItem *horizontalSpacer_2; QSpacerItem *horizontalSpacer_9; QPushButton *chooseButton; void setupUi(QMainWindow *Home) { if (Home->objectName().isEmpty()) Home->setObjectName(QStringLiteral("Home")); Home->resize(1007, 644); Home->setStyleSheet(QLatin1String("border-width:2px;\n" "border-radius:50px;\n" "max-width:2000px;\n" "max-height:2000px;\n" "min-width:100px;\n" "min-height:100px;")); centralwidget = new QWidget(Home); centralwidget->setObjectName(QStringLiteral("centralwidget")); centralwidget->setStyleSheet(QStringLiteral("background-color: grey;")); gridLayout = new QGridLayout(centralwidget); gridLayout->setObjectName(QStringLiteral("gridLayout")); label = new QLabel(centralwidget); label->setObjectName(QStringLiteral("label")); QFont font; font.setFamily(QStringLiteral("BatmanForeverAlternate")); font.setPointSize(14); label->setFont(font); label->setStyleSheet(QStringLiteral("")); gridLayout->addWidget(label, 0, 0, 1, 1); listFriends = new QListWidget(centralwidget); listFriends->setObjectName(QStringLiteral("listFriends")); QFont font1; font1.setFamily(QStringLiteral("BatmanForeverAlternate")); font1.setPointSize(11); listFriends->setFont(font1); listFriends->setStyleSheet(QLatin1String("background-color : #AEAFAF;\n" "border-style: outset;\n" "border-radius: 0px;\n" "min-height : 480px;\n" "min-width : 250px;\n" "max-height : 480px;\n" "max-width : 250px;\n" "\n" "")); listFriends->setVerticalScrollBarPolicy(Qt::ScrollBarAlwaysOff); listFriends->setHorizontalScrollBarPolicy(Qt::ScrollBarAlwaysOff); listFriends->setSizeAdjustPolicy(QAbstractScrollArea::AdjustIgnored); gridLayout->addWidget(listFriends, 1, 0, 4, 1); verticalSpacer = new QSpacerItem(20, 40, QSizePolicy::Minimum, QSizePolicy::Expanding); gridLayout->addItem(verticalSpacer, 4, 6, 1, 1); label_2 = new QLabel(centralwidget); label_2->setObjectName(QStringLiteral("label_2")); label_2->setStyleSheet(QStringLiteral("")); gridLayout->addWidget(label_2, 0, 4, 1, 1); horizontalLayout_2 = new QHBoxLayout(); horizontalLayout_2->setObjectName(QStringLiteral("horizontalLayout_2")); horizontalSpacer_12 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout_2->addItem(horizontalSpacer_12); username = new QLabel(centralwidget); username->setObjectName(QStringLiteral("username")); QFont font2; font2.setFamily(QStringLiteral("BatmanForeverAlternate")); font2.setPointSize(16); username->setFont(font2); horizontalLayout_2->addWidget(username); horizontalSpacer_13 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout_2->addItem(horizontalSpacer_13); gridLayout->addLayout(horizontalLayout_2, 2, 1, 1, 6); horizontalSpacer_4 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); gridLayout->addItem(horizontalSpacer_4, 0, 5, 1, 1); horizontalSpacer_14 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); gridLayout->addItem(horizontalSpacer_14, 0, 3, 1, 1); lol = new QPushButton(centralwidget); lol->setObjectName(QStringLiteral("lol")); gridLayout->addWidget(lol, 4, 1, 1, 1); horizontalLayout = new QHBoxLayout(); horizontalLayout->setSpacing(6); horizontalLayout->setObjectName(QStringLiteral("horizontalLayout")); horizontalLayout->setContentsMargins(-1, -1, -1, 75); horizontalSpacer_10 = new QSpacerItem(50, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout->addItem(horizontalSpacer_10); horizontalSpacer = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout->addItem(horizontalSpacer); hideButton = new QPushButton(centralwidget); hideButton->setObjectName(QStringLiteral("hideButton")); QFont font3; font3.setFamily(QStringLiteral("BatmanForeverAlternate")); font3.setPointSize(18); hideButton->setFont(font3); hideButton->setStyleSheet(QLatin1String("border-radius:15px;\n" "background-color: red;\n" "max-width:30px;\n" "max-height:30px;\n" "min-width:30px;\n" "min-height:30px;")); horizontalLayout->addWidget(hideButton); raiseButton = new QPushButton(centralwidget); raiseButton->setObjectName(QStringLiteral("raiseButton")); QFont font4; font4.setFamily(QStringLiteral("Square Things")); font4.setPointSize(12); raiseButton->setFont(font4); raiseButton->setStyleSheet(QLatin1String("border-radius:15px;\n" "background-color: red;\n" "max-width:30px;\n" "max-height:30px;\n" "min-width:30px;\n" "min-height:30px;")); horizontalLayout->addWidget(raiseButton); quitButton = new QPushButton(centralwidget); quitButton->setObjectName(QStringLiteral("quitButton")); quitButton->setFont(font3); quitButton->setStyleSheet(QLatin1String("border-radius:15px;\n" "background-color: red;\n" "max-width:30px;\n" "max-height:30px;\n" "min-width:30px;\n" "min-height:30px;")); horizontalLayout->addWidget(quitButton); horizontalSpacer_3 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout->addItem(horizontalSpacer_3); horizontalSpacer_2 = new QSpacerItem(20, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); horizontalLayout->addItem(horizontalSpacer_2); gridLayout->addLayout(horizontalLayout, 0, 6, 2, 1); horizontalSpacer_9 = new QSpacerItem(40, 20, QSizePolicy::Expanding, QSizePolicy::Minimum); gridLayout->addItem(horizontalSpacer_9, 0, 1, 1, 1); chooseButton = new QPushButton(centralwidget); chooseButton->setObjectName(QStringLiteral("chooseButton")); QFont font5; font5.setFamily(QStringLiteral("BatmanForeverAlternate")); font5.setPointSize(10); chooseButton->setFont(font5); chooseButton->setStyleSheet(QStringLiteral("")); gridLayout->addWidget(chooseButton, 6, 6, 1, 1); Home->setCentralWidget(centralwidget); retranslateUi(Home); QObject::connect(quitButton, SIGNAL(clicked()), Home, SLOT(close())); QObject::connect(hideButton, SIGNAL(clicked()), Home, SLOT(showMinimized())); QMetaObject::connectSlotsByName(Home); } // setupUi void retranslateUi(QMainWindow *Home) { Home->setWindowTitle(QApplication::translate("Home", "MainWindow", 0)); label->setText(QApplication::translate("Home", "Connected Friends", 0)); label_2->setText(QString()); username->setText(QString()); lol->setText(QApplication::translate("Home", "LOL", 0)); hideButton->setText(QApplication::translate("Home", "-", 0)); raiseButton->setText(QApplication::translate("Home", "A", 0)); quitButton->setText(QApplication::translate("Home", "X", 0)); chooseButton->setText(QString()); } // retranslateUi }; namespace Ui { class Home: public Ui_Home {}; } // namespace Ui QT_END_NAMESPACE #endif // UI_HOME_H
[ "rivat_n@git.epitech.eu" ]
rivat_n@git.epitech.eu
597283c8940075fe3f5e09ffab45404d7c8342e5
3c4e43a9fa5cfb59bcd184015384b87f4c648982
/pattern12.cpp
a9de4c6cfb824ba5d56f776ddca1c5f83b7e9487
[]
no_license
adarshtiwari1998/c-plus-plus-with-data-structure-and-algorithm-tutorial-v1
19fb0c10dc1f57c43a0149abc22229d3d798a30b
549aadc3f51020ae62687d060a2183aea1865c03
refs/heads/main
2023-07-02T01:16:34.955298
2021-08-09T13:04:19
2021-08-09T13:04:19
393,569,914
0
0
null
null
null
null
UTF-8
C++
false
false
1,210
cpp
/*Lecture 4.2.4: Advanced Pattern Question-12 */ // Palindromic Pattern Question /* Suppose n=6, 1 2 1 2 3 2 1 2 3 4 3 2 1 2 3 4 5 4 3 2 1 2 3 4 5 6 5 4 3 2 1 2 3 4 5 6 Row: 1 to n; columns: There is 3 part For space: " " 1 to n- Row_No; for number in decresing order: variable k = row no k-- -->formula (1 to n- Row_No) for number in incresing order k=2; k++ -->formula (n to+Row No -1) */ #include<iostream> using namespace std; int main() { int num; cout<<"Enter the No: "; cin>>num; //row for(int x=1; x<=num; x++) { int y; //column, for space for(y=1; y<=num-x; y++) { cout<<" "; } //create a variable k and assign row to k variable int k=x; for(;y<=num; y++) { //decreasing order cout<<k--<<" "; } //increasing order k=2; for(; y<=num+x-1; y++) { cout<<k++<<" "; } cout<<endl; } return 0; } /* Output: Enter the No: 6 1 2 1 2 3 2 1 2 3 4 3 2 1 2 3 4 5 4 3 2 1 2 3 4 5 6 5 4 3 2 1 2 3 4 5 6 */
[ "tiwari1998adarsh@gmail.com" ]
tiwari1998adarsh@gmail.com
a13e4cedd4907bcaf7bc2fe549759df7766d93d2
16132c49045e5eca877700cee68d46b0d366807c
/groupinfo.cpp
7dde34ccb0846a32c6a002d2b001388b75e43841
[]
no_license
0000duck/PCSoftware
07e0c984f02791b8c43cbeb02ba0c960ea153f1e
4d14abc77cd1f5c2f96e2b628d77810c575b4b4b
refs/heads/master
2023-02-10T20:15:53.058998
2020-12-27T06:04:55
2020-12-27T06:04:55
null
0
0
null
null
null
null
UTF-8
C++
false
false
102
cpp
#include "groupinfo.h" GroupInfo::GroupInfo() { } int GroupInfo::getOnlineTime(){ return 1; }
[ "hooray1998@foxmail.com" ]
hooray1998@foxmail.com
8395f912b2e8991c83633ec26f54586136ebadcd
5b41e312db8aeb5532ba59498c93e2ec1dccd4ff
/SMC_DBClasses/CPDE_HEAT_DATA.cpp
16d7a1a132863a08384e2fa2801d0e31c528d5fe
[]
no_license
frankilfrancis/KPO_HMI_vs17
10d96c6cb4aebffb83254e6ca38fe6d1033eba79
de49aa55eccd8a7abc165f6057088a28426a1ceb
refs/heads/master
2020-04-15T16:40:14.366351
2019-11-14T15:33:25
2019-11-14T15:33:25
164,845,188
0
1
null
null
null
null
UTF-8
C++
false
false
27,685
cpp
//## Copyright (C) 2010 SMS Siemag AG, Germany //## Version generated by DBClassCodeUtility BETA 0.6.3 //## ALL METHODS MARKED AS - //##DBClassCodeUtility - WILL BE OVERWRITTEN, IF DB CLASS RE-GENERATED //## MANUALLY IMPLEMENTED METHODS MUST BE LOCATED BELOW THE MARK - "YOUR-CODE" - #include "CDataConversion.h" #include "CPP_SHIFT_CREW_ASSIGNMENT.h" #include "DEF_GC_MEMBER_ROLE_CAT.h" #include "CPDE_HEAT_DATA.h" //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::HEATID("HEATID"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TREATID("TREATID"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::PLANT("PLANT"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TOTAL_O2_SIDE_LANCE("TOTAL_O2_SIDE_LANCE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::SPEC_O2_SIDE_LANCE("SPEC_O2_SIDE_LANCE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TOTAL_AR_MOMENT("TOTAL_AR_MOMENT"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TOTAL_N2_MOMENT("TOTAL_N2_MOMENT"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::SPECIFIC_O2_CONS("SPECIFIC_O2_CONS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::SPECIFIC_N2_CONS("SPECIFIC_N2_CONS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::SPECIFIC_AR_CONS("SPECIFIC_AR_CONS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TOTAL_CARBON_INJ("TOTAL_CARBON_INJ"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::MELTDOWNSTARTTIME("MELTDOWNSTARTTIME"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::MELTDOWNENDTIME("MELTDOWNENDTIME"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TOTAL_ELEC_EGY("TOTAL_ELEC_EGY"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::POWER_ON_DUR("POWER_ON_DUR"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::POWER_OFF_DUR("POWER_OFF_DUR"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::DRI("DRI"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::LIME("LIME"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::DOLOMITE("DOLOMITE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::COAL("COAL"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::NO_OF_BASKETS("NO_OF_BASKETS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::MELTER("MELTER"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::SUPERVISOR("SUPERVISOR"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::START_SCRAPDRYING("START_SCRAPDRYING"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::END_SCRAPDRYING("END_SCRAPDRYING"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BURNER_TOTALOXY("BURNER_TOTALOXY"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BURNER_TOTALLANCEOXY("BURNER_TOTALLANCEOXY"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BURNER_TOTALPCOXY("BURNER_TOTALPCOXY"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BURNER_TOTALGAS("BURNER_TOTALGAS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::INJ_LIME("INJ_LIME"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::INJ_CARBON("INJ_CARBON"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::INJ_FESI("INJ_FESI"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::INJ_DUST("INJ_DUST"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::INJ_OXYGEN("INJ_OXYGEN"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_ADDITIONS("FURNACE_ADDITIONS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_SLAGFORMER("FURNACE_SLAGFORMER"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::LADLE_ADDITIONS("LADLE_ADDITIONS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::LADLE_SLAGFORMER("LADLE_SLAGFORMER"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::CAMPAIGN("CAMPAIGN"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_DELTAAGE("FURNACE_DELTAAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_TAPHOLEAGE("FURNACE_TAPHOLEAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_SHELLAGE("FURNACE_SHELLAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_SHELLWALLAGE("FURNACE_SHELLWALLAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_SLAGDOORAGE("FURNACE_SLAGDOORAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_ROOFAGE("FURNACE_ROOFAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_BOTTOMAGE("FURNACE_BOTTOMAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::FURNACE_BOTWALLAGE("FURNACE_BOTWALLAGE"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BASKET_TOTALWEIGHT("BASKET_TOTALWEIGHT"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::BASKET_TOTCHARGETIME("BASKET_TOTCHARGETIME"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::DOOR_BURN_TOTALOXY("DOOR_BURN_TOTALOXY"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::DOOR_BURN_TOTALGAS("DOOR_BURN_TOTALGAS"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::EAF_THERMSTATID("EAF_THERMSTATID"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TAPTOTAPDURATION("TAPTOTAPDURATION"); //##DBClassCodeUtility ! DO NOT EDIT ! const std::string CPDE_HEAT_DATA::TAPMASS("TAPMASS"); //##DBClassCodeUtility ! DO NOT EDIT ! CPDE_HEAT_DATA::CPDE_HEAT_DATA(cCBS_StdConnection* Connection) :CSMC_DBData("PDE_HEAT_DATA",Connection) { //please implement virtual method, to initialize your members doOnConstruct(); } //##DBClassCodeUtility ! DO NOT EDIT ! CPDE_HEAT_DATA::CPDE_HEAT_DATA(cCBS_Connection* Connection) :CSMC_DBData("PDE_HEAT_DATA",Connection) { //please implement virtual method, to initialize your members doOnConstruct(); } //##DBClassCodeUtility ! DO NOT EDIT ! CPDE_HEAT_DATA::CPDE_HEAT_DATA() :CSMC_DBData("PDE_HEAT_DATA") { //please implement virtual method, to initialize your members doOnConstruct(); } //##DBClassCodeUtility ! DO NOT EDIT ! CPDE_HEAT_DATA::~CPDE_HEAT_DATA() { //please implement virtual method, to destruct your members doOnDestruct(); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getHEATID(long Row) { return getString(CPDE_HEAT_DATA::HEATID, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setHEATID(const std::string& value) { setString(CPDE_HEAT_DATA::HEATID, value); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getTREATID(long Row) { return getString(CPDE_HEAT_DATA::TREATID, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTREATID(const std::string& value) { setString(CPDE_HEAT_DATA::TREATID, value); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getPLANT(long Row) { return getString(CPDE_HEAT_DATA::PLANT, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setPLANT(const std::string& value) { setString(CPDE_HEAT_DATA::PLANT, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTOTAL_O2_SIDE_LANCE(long Row) { return getDouble(CPDE_HEAT_DATA::TOTAL_O2_SIDE_LANCE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTOTAL_O2_SIDE_LANCE(double value) { setDouble(CPDE_HEAT_DATA::TOTAL_O2_SIDE_LANCE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getSPEC_O2_SIDE_LANCE(long Row) { return getLong(CPDE_HEAT_DATA::SPEC_O2_SIDE_LANCE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSPEC_O2_SIDE_LANCE(long value) { setLong(CPDE_HEAT_DATA::SPEC_O2_SIDE_LANCE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTOTAL_AR_MOMENT(long Row) { return getDouble(CPDE_HEAT_DATA::TOTAL_AR_MOMENT, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTOTAL_AR_MOMENT(double value) { setDouble(CPDE_HEAT_DATA::TOTAL_AR_MOMENT, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTOTAL_N2_MOMENT(long Row) { return getDouble(CPDE_HEAT_DATA::TOTAL_N2_MOMENT, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTOTAL_N2_MOMENT(double value) { setDouble(CPDE_HEAT_DATA::TOTAL_N2_MOMENT, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getSPECIFIC_O2_CONS(long Row) { return getDouble(CPDE_HEAT_DATA::SPECIFIC_O2_CONS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSPECIFIC_O2_CONS(double value) { setDouble(CPDE_HEAT_DATA::SPECIFIC_O2_CONS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getSPECIFIC_N2_CONS(long Row) { return getDouble(CPDE_HEAT_DATA::SPECIFIC_N2_CONS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSPECIFIC_N2_CONS(double value) { setDouble(CPDE_HEAT_DATA::SPECIFIC_N2_CONS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getSPECIFIC_AR_CONS(long Row) { return getDouble(CPDE_HEAT_DATA::SPECIFIC_AR_CONS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSPECIFIC_AR_CONS(double value) { setDouble(CPDE_HEAT_DATA::SPECIFIC_AR_CONS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTOTAL_CARBON_INJ(long Row) { return getDouble(CPDE_HEAT_DATA::TOTAL_CARBON_INJ, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTOTAL_CARBON_INJ(double value) { setDouble(CPDE_HEAT_DATA::TOTAL_CARBON_INJ, value); } //##DBClassCodeUtility ! DO NOT EDIT ! CDateTime CPDE_HEAT_DATA::getMELTDOWNSTARTTIME(long Row) { CDateTime D; D.fromDBString(getString(CPDE_HEAT_DATA::MELTDOWNSTARTTIME, Row)); return D; } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setMELTDOWNSTARTTIME(const CDateTime& value) { setString(CPDE_HEAT_DATA::MELTDOWNSTARTTIME, value.toDBString()); } //##DBClassCodeUtility ! DO NOT EDIT ! CDateTime CPDE_HEAT_DATA::getMELTDOWNENDTIME(long Row) { CDateTime D; D.fromDBString(getString(CPDE_HEAT_DATA::MELTDOWNENDTIME, Row)); return D; } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setMELTDOWNENDTIME(const CDateTime& value) { setString(CPDE_HEAT_DATA::MELTDOWNENDTIME, value.toDBString()); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTOTAL_ELEC_EGY(long Row) { return getDouble(CPDE_HEAT_DATA::TOTAL_ELEC_EGY, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTOTAL_ELEC_EGY(double value) { setDouble(CPDE_HEAT_DATA::TOTAL_ELEC_EGY, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getPOWER_ON_DUR(long Row) { return getDouble(CPDE_HEAT_DATA::POWER_ON_DUR, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setPOWER_ON_DUR(double value) { setDouble(CPDE_HEAT_DATA::POWER_ON_DUR, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getPOWER_OFF_DUR(long Row) { return getDouble(CPDE_HEAT_DATA::POWER_OFF_DUR, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setPOWER_OFF_DUR(double value) { setDouble(CPDE_HEAT_DATA::POWER_OFF_DUR, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getDRI(long Row) { return getDouble(CPDE_HEAT_DATA::DRI, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setDRI(double value) { setDouble(CPDE_HEAT_DATA::DRI, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getLIME(long Row) { return getDouble(CPDE_HEAT_DATA::LIME, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setLIME(double value) { setDouble(CPDE_HEAT_DATA::LIME, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getDOLOMITE(long Row) { return getDouble(CPDE_HEAT_DATA::DOLOMITE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setDOLOMITE(double value) { setDouble(CPDE_HEAT_DATA::DOLOMITE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getCOAL(long Row) { return getDouble(CPDE_HEAT_DATA::COAL, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setCOAL(double value) { setDouble(CPDE_HEAT_DATA::COAL, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getNO_OF_BASKETS(long Row) { return getLong(CPDE_HEAT_DATA::NO_OF_BASKETS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setNO_OF_BASKETS(long value) { setLong(CPDE_HEAT_DATA::NO_OF_BASKETS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getMELTER(long Row) { return getString(CPDE_HEAT_DATA::MELTER, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setMELTER(const std::string& value) { setString(CPDE_HEAT_DATA::MELTER, value); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getSUPERVISOR(long Row) { return getString(CPDE_HEAT_DATA::SUPERVISOR, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSUPERVISOR(const std::string& value) { setString(CPDE_HEAT_DATA::SUPERVISOR, value); } //##DBClassCodeUtility ! DO NOT EDIT ! CDateTime CPDE_HEAT_DATA::getSTART_SCRAPDRYING(long Row) { CDateTime D; D.fromDBString(getString(CPDE_HEAT_DATA::START_SCRAPDRYING, Row)); return D; } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setSTART_SCRAPDRYING(const CDateTime& value) { setString(CPDE_HEAT_DATA::START_SCRAPDRYING, value.toDBString()); } //##DBClassCodeUtility ! DO NOT EDIT ! CDateTime CPDE_HEAT_DATA::getEND_SCRAPDRYING(long Row) { CDateTime D; D.fromDBString(getString(CPDE_HEAT_DATA::END_SCRAPDRYING, Row)); return D; } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setEND_SCRAPDRYING(const CDateTime& value) { setString(CPDE_HEAT_DATA::END_SCRAPDRYING, value.toDBString()); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBURNER_TOTALOXY(long Row) { return getDouble(CPDE_HEAT_DATA::BURNER_TOTALOXY, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBURNER_TOTALOXY(double value) { setDouble(CPDE_HEAT_DATA::BURNER_TOTALOXY, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBURNER_TOTALLANCEOXY(long Row) { return getDouble(CPDE_HEAT_DATA::BURNER_TOTALLANCEOXY, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBURNER_TOTALLANCEOXY(double value) { setDouble(CPDE_HEAT_DATA::BURNER_TOTALLANCEOXY, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBURNER_TOTALPCOXY(long Row) { return getDouble(CPDE_HEAT_DATA::BURNER_TOTALPCOXY, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBURNER_TOTALPCOXY(double value) { setDouble(CPDE_HEAT_DATA::BURNER_TOTALPCOXY, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBURNER_TOTALGAS(long Row) { return getDouble(CPDE_HEAT_DATA::BURNER_TOTALGAS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBURNER_TOTALGAS(double value) { setDouble(CPDE_HEAT_DATA::BURNER_TOTALGAS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getINJ_LIME(long Row) { return getDouble(CPDE_HEAT_DATA::INJ_LIME, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setINJ_LIME(double value) { setDouble(CPDE_HEAT_DATA::INJ_LIME, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getINJ_CARBON(long Row) { return getDouble(CPDE_HEAT_DATA::INJ_CARBON, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setINJ_CARBON(double value) { setDouble(CPDE_HEAT_DATA::INJ_CARBON, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getINJ_FESI(long Row) { return getDouble(CPDE_HEAT_DATA::INJ_FESI, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setINJ_FESI(double value) { setDouble(CPDE_HEAT_DATA::INJ_FESI, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getINJ_DUST(long Row) { return getDouble(CPDE_HEAT_DATA::INJ_DUST, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setINJ_DUST(double value) { setDouble(CPDE_HEAT_DATA::INJ_DUST, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getINJ_OXYGEN(long Row) { return getDouble(CPDE_HEAT_DATA::INJ_OXYGEN, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setINJ_OXYGEN(double value) { setDouble(CPDE_HEAT_DATA::INJ_OXYGEN, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getFURNACE_ADDITIONS(long Row) { return getDouble(CPDE_HEAT_DATA::FURNACE_ADDITIONS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_ADDITIONS(double value) { setDouble(CPDE_HEAT_DATA::FURNACE_ADDITIONS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getFURNACE_SLAGFORMER(long Row) { return getDouble(CPDE_HEAT_DATA::FURNACE_SLAGFORMER, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_SLAGFORMER(double value) { setDouble(CPDE_HEAT_DATA::FURNACE_SLAGFORMER, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getLADLE_ADDITIONS(long Row) { return getDouble(CPDE_HEAT_DATA::LADLE_ADDITIONS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setLADLE_ADDITIONS(double value) { setDouble(CPDE_HEAT_DATA::LADLE_ADDITIONS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getLADLE_SLAGFORMER(long Row) { return getDouble(CPDE_HEAT_DATA::LADLE_SLAGFORMER, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setLADLE_SLAGFORMER(double value) { setDouble(CPDE_HEAT_DATA::LADLE_SLAGFORMER, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getCAMPAIGN(long Row) { return getLong(CPDE_HEAT_DATA::CAMPAIGN, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setCAMPAIGN(long value) { setLong(CPDE_HEAT_DATA::CAMPAIGN, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_DELTAAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_DELTAAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_DELTAAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_DELTAAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_TAPHOLEAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_TAPHOLEAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_TAPHOLEAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_TAPHOLEAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_SHELLAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_SHELLAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_SHELLAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_SHELLAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_SHELLWALLAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_SHELLWALLAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_SHELLWALLAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_SHELLWALLAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_SLAGDOORAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_SLAGDOORAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_SLAGDOORAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_SLAGDOORAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_ROOFAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_ROOFAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_ROOFAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_ROOFAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_BOTTOMAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_BOTTOMAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_BOTTOMAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_BOTTOMAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! long CPDE_HEAT_DATA::getFURNACE_BOTWALLAGE(long Row) { return getLong(CPDE_HEAT_DATA::FURNACE_BOTWALLAGE, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setFURNACE_BOTWALLAGE(long value) { setLong(CPDE_HEAT_DATA::FURNACE_BOTWALLAGE, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBASKET_TOTALWEIGHT(long Row) { return getDouble(CPDE_HEAT_DATA::BASKET_TOTALWEIGHT, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBASKET_TOTALWEIGHT(double value) { setDouble(CPDE_HEAT_DATA::BASKET_TOTALWEIGHT, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getBASKET_TOTCHARGETIME(long Row) { return getDouble(CPDE_HEAT_DATA::BASKET_TOTCHARGETIME, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setBASKET_TOTCHARGETIME(double value) { setDouble(CPDE_HEAT_DATA::BASKET_TOTCHARGETIME, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getDOOR_BURN_TOTALOXY(long Row) { return getDouble(CPDE_HEAT_DATA::DOOR_BURN_TOTALOXY, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setDOOR_BURN_TOTALOXY(double value) { setDouble(CPDE_HEAT_DATA::DOOR_BURN_TOTALOXY, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getDOOR_BURN_TOTALGAS(long Row) { return getDouble(CPDE_HEAT_DATA::DOOR_BURN_TOTALGAS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setDOOR_BURN_TOTALGAS(double value) { setDouble(CPDE_HEAT_DATA::DOOR_BURN_TOTALGAS, value); } //##DBClassCodeUtility ! DO NOT EDIT ! std::string CPDE_HEAT_DATA::getEAF_THERMSTATID(long Row) { return getString(CPDE_HEAT_DATA::EAF_THERMSTATID, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setEAF_THERMSTATID(const std::string& value) { setString(CPDE_HEAT_DATA::EAF_THERMSTATID, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTAPTOTAPDURATION(long Row) { return getDouble(CPDE_HEAT_DATA::TAPTOTAPDURATION, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTAPTOTAPDURATION(double value) { setDouble(CPDE_HEAT_DATA::TAPTOTAPDURATION, value); } //##DBClassCodeUtility ! DO NOT EDIT ! double CPDE_HEAT_DATA::getTAPMASS(long Row) { return getDouble(CPDE_HEAT_DATA::TAPMASS, Row); } //##DBClassCodeUtility ! DO NOT EDIT ! void CPDE_HEAT_DATA::setTAPMASS(double value) { setDouble(CPDE_HEAT_DATA::TAPMASS, value); } bool CPDE_HEAT_DATA::select(const std::string& HEATID, const std::string& TREATID, const std::string& PLANT) { cleanWhereStatement(); m_Statement = "Select * from " + m_TableName; addWhereClause(CPDE_HEAT_DATA::HEATID,HEATID); addWhereClause(CPDE_HEAT_DATA::TREATID,TREATID); addWhereClause(CPDE_HEAT_DATA::PLANT,PLANT); m_Statement += getWhereStatement() + ";"; return CSMC_DBData::select(); } //## ------------------------------------END-GENERATED-CODE---------------------- //## ------------------------------------YOUR-CODE------------------------------- bool CPDE_HEAT_DATA::doAnnouncement(const std::string& HEATID,const std::string& TREATID, const std::string& PLANT, long PLANTNO, const std::string &EAF_THERMSTATID, bool Commit, cCBS_ODBC_DBError &Error) { bool result= true; CPP_SHIFT_CREW_ASSIGNMENT PP_SHIFT_CREW_ASSIGNMENT ( m_pCBS_StdConnection ); if (!exists(HEATID, TREATID, PLANT)) { setHEATID(HEATID); setTREATID(TREATID); setPLANT(PLANT); setEAF_THERMSTATID(EAF_THERMSTATID); setNO_OF_BASKETS(0); setBASKET_TOTALWEIGHT(0.); setFURNACE_ADDITIONS(0.); setFURNACE_SLAGFORMER(0.); setLADLE_ADDITIONS(0.); setLADLE_SLAGFORMER(0.); setBURNER_TOTALGAS(0.); setBURNER_TOTALLANCEOXY(0.); setBURNER_TOTALOXY(0.); setBURNER_TOTALPCOXY(0.); setINJ_CARBON(0.); setINJ_DUST(0.); setINJ_LIME(0.); CDateTime Now; //setMELTER (PP_SHIFT_CREW_ASSIGNMENT.getUserCodeByUserPosition(Now, PLANT, PLANTNO, DEF_GC_USER_POSITION::Melter)); //setSUPERVISOR(PP_SHIFT_CREW_ASSIGNMENT.getUserCodeByUserPosition(Now, PLANT, PLANTNO, DEF_GC_USER_POSITION::Controller)); result = insert(); if (!result) Error = getLastError(); if (Commit) { if (result) commit(); else rollback(); } } return result; } bool CPDE_HEAT_DATA::exists(const std::string& HEATID, const std::string& TREATID, const std::string& PLANT) { cleanWhereStatement(); m_Statement = "Select HEATID from " + m_TableName; addWhereClause(CPDE_HEAT_DATA::HEATID,HEATID); addWhereClause(CPDE_HEAT_DATA::TREATID,TREATID); addWhereClause(CPDE_HEAT_DATA::PLANT,PLANT); std::string sWhereStatement = getWhereStatement(); //to avoid the exception like 'Select HEATID from PP_HEAT AND ROWNUM = 1 ' if(sWhereStatement.length() > 0 ) { // do not use ROWNUM in "addWhereClause", ROWNUM is not a table column and where statement will be used for deletion at "deleteRows" m_Statement += sWhereStatement + " AND ROWNUM = 1 ;"; } else { return false; } return CSMC_DBData::select(); } double CPDE_HEAT_DATA::getTotalGasCons(const std::string& HEATID, const std::string& TREATID, const std::string& PLANT) { double TotalGasCons = CSMC_DBData::unspecDouble; if ( select(HEATID, TREATID, PLANT) ) { double BURNER_TOTALGAS = CDataConversion::SetInvalidToDefault(getBURNER_TOTALGAS(1) ,0. ,CSMC_DBData::unspecDouble); double DOOR_BURN_TOTALGAS = CDataConversion::SetInvalidToDefault(getDOOR_BURN_TOTALGAS(1) ,0. ,CSMC_DBData::unspecDouble); TotalGasCons = BURNER_TOTALGAS + DOOR_BURN_TOTALGAS; } return TotalGasCons; } double CPDE_HEAT_DATA::getTotalOxyCons(const std::string& HEATID, const std::string& TREATID, const std::string& PLANT) { double TotalOxyCons = CSMC_DBData::unspecDouble; if ( select(HEATID, TREATID, PLANT) ) { double TOTAL_O2_SIDE_LANCE = CDataConversion::SetInvalidToDefault(getTOTAL_O2_SIDE_LANCE(1) ,0. ,CSMC_DBData::unspecDouble); double BURNER_TOTALOXY = CDataConversion::SetInvalidToDefault(getBURNER_TOTALOXY(1) ,0. ,CSMC_DBData::unspecDouble); double BURNER_TOTALLANCEOXY = CDataConversion::SetInvalidToDefault(getBURNER_TOTALLANCEOXY(1) ,0. ,CSMC_DBData::unspecDouble); double BURNER_TOTALPCOXY = CDataConversion::SetInvalidToDefault(getBURNER_TOTALPCOXY(1) ,0. ,CSMC_DBData::unspecDouble); double DOOR_BURN_TOTALOXY = CDataConversion::SetInvalidToDefault(getDOOR_BURN_TOTALOXY(1) ,0. ,CSMC_DBData::unspecDouble); TotalOxyCons = TOTAL_O2_SIDE_LANCE + BURNER_TOTALOXY + BURNER_TOTALLANCEOXY + BURNER_TOTALPCOXY + DOOR_BURN_TOTALOXY; } return TotalOxyCons; }
[ "52784069+FrankilPacha@users.noreply.github.com" ]
52784069+FrankilPacha@users.noreply.github.com
27b81f6c88d5ae28fc3a6c6a07301c0faa0e0924
cd99ca9461435d1417cb146d966e54272fbcc7ad
/3rd party/maxsdk/samples/maxscript/mxsdotNet/maxCDotNetHostWnd.h
03aa38c23a4ad4b5497e7341d321e9fcc15273a5
[]
no_license
mortany/xray15
eacce7965e785dd71d1877eae25c1f9eff680eec
72a13fb24e9b388850bc769427c231da8f599228
refs/heads/master
2020-08-02T20:45:23.493981
2019-10-14T18:48:48
2019-10-14T18:48:48
211,499,718
0
0
null
2019-09-28T12:50:47
2019-09-28T12:50:46
null
UTF-8
C++
false
false
1,892
h
//**************************************************************************/ // Copyright (c) 1998-2006 Autodesk, Inc. // All rights reserved. // // These coded instructions, statements, and computer programs contain // unpublished proprietary information written by Autodesk, Inc., and are // protected by Federal copyright law. They may not be disclosed to third // parties or copied or duplicated in any form, in whole or in part, without // the prior written consent of Autodesk, Inc. //**************************************************************************/ // AUTHOR: David Cunningham - created Oct 16, 2006 //***************************************************************************/ // #pragma once #include "CDotNetHostWnd.h" #pragma managed(push, on) namespace MXS_dotNet { class maxDotNetControl; public class maxCDotNetHostWnd : public CDotNetHostWnd { private: typedef CDotNetHostWnd inherited; maxDotNetControl* mMaxDotNetControl; public: ref class delegate_proxy_type : public delegate_proxy_type_base { public: delegate_proxy_type(maxCDotNetHostWnd* pNativeTarget); virtual ~delegate_proxy_type(); }; virtual Value* GetMXSContainer(); bool CreateControl( HWND hParent, int id, int x, int y, int w, int h, System::Windows::Forms::Control^ aControl); maxCDotNetHostWnd(maxDotNetControl* aMaxDotNetControl); virtual ~maxCDotNetHostWnd(); virtual void ProcessEvent(System::String ^eventName, System::Object ^delegateArgs); msclr::delegate_map::internal::delegate_proxy_factory<maxCDotNetHostWnd> m_delegate_map_proxy; virtual delegate_proxy_type_base^ GetProxyType(); protected: virtual void DoOnDestroy(); virtual void DoRegisterControl(); virtual void LoadCreateControlParams(); }; } #pragma managed(pop)
[ "cheatmaster1@mail.ru" ]
cheatmaster1@mail.ru
c821518a87ea0e5b92001d6e2a5e0fc95c494eac
455ecd26f1439cd4a44856c743b01d711e3805b6
/java/include/android.nfc.NfcAdapter_CreateNdefMessageCallback.hpp
bb34e3c5a767950478fad3566c9a921567a05206
[]
no_license
lbguilherme/duvidovc-app
00662bf024f82a842c808673109b30fe2b70e727
f7c86ea812d2ae8dd892918b65ea429e9906531c
refs/heads/master
2021-03-24T09:17:17.834080
2015-09-08T02:32:44
2015-09-08T02:32:44
33,072,192
0
0
null
null
null
null
UTF-8
C++
false
false
1,530
hpp
#pragma once #include "../src/java-core.hpp" #include <jni.h> #include <cstdint> #include <memory> #include <vector> #include "java.lang.Object.hpp" namespace android { namespace nfc { class NdefMessage; } } namespace android { namespace nfc { class NfcEvent; } } namespace android { namespace nfc { class NfcAdapter_CreateNdefMessageCallback : public virtual ::java::lang::Object { public: static jclass _class; #pragma GCC diagnostic push #pragma GCC diagnostic ignored "-Wreorder" explicit NfcAdapter_CreateNdefMessageCallback(jobject _obj) : ::java::lang::Object(_obj) {} #pragma GCC diagnostic pop #pragma GCC diagnostic push #pragma GCC diagnostic ignored "-Wreorder" NfcAdapter_CreateNdefMessageCallback(const ::android::nfc::NfcAdapter_CreateNdefMessageCallback& x) : ::java::lang::Object((jobject)0) {obj = x.obj;} NfcAdapter_CreateNdefMessageCallback(::android::nfc::NfcAdapter_CreateNdefMessageCallback&& x) : ::java::lang::Object((jobject)0) {obj = x.obj; x.obj = JavaObjectHolder((jobject)0);} #pragma GCC diagnostic pop ::android::nfc::NfcAdapter_CreateNdefMessageCallback& operator=(const ::android::nfc::NfcAdapter_CreateNdefMessageCallback& x) {obj = x.obj; return *this;} ::android::nfc::NfcAdapter_CreateNdefMessageCallback& operator=(::android::nfc::NfcAdapter_CreateNdefMessageCallback&& x) {obj = std::move(x.obj); return *this;} ::android::nfc::NdefMessage createNdefMessage(const ::android::nfc::NfcEvent&) const; }; } }
[ "dev@lbguilherme.com" ]
dev@lbguilherme.com
e4c58bc7f4639e43d20276cd57ab5f1e18a8b13c
19e774ef7ef14eae9472bdda03b2eabc79f3052b
/Source/Blu/Private/BluInstance.cpp
1c4c9850727d0ad73345b3f7a846e1f287a62dbf
[ "MIT" ]
permissive
tnako/BLUI
6907dd4a96c62b978d60f42fd63da3a0bb76d2cf
901227e8b9b7968ccde1c02e540441bd485d684b
refs/heads/master
2021-01-09T06:21:26.831432
2015-04-20T20:35:53
2015-04-20T20:35:53
34,284,012
0
0
null
2015-04-20T20:17:34
2015-04-20T20:17:34
null
UTF-8
C++
false
false
1,150
cpp
#include "BluPrivatePCH.h" BluInstance::BluInstance() { // checkout detailed settings options http://magpcss.org/ceforum/apidocs/projects/%28default%29/_cef_settings_t.html // nearly all the settings can be set via args too. // settings.multi_threaded_message_loop = true; // not supported, except windows // CefString(&settings.browser_subprocess_path).FromASCII("sub_proccess path, by default uses and starts this executeable as child"); // CefString(&settings.cache_path).FromASCII(""); // CefString(&settings.log_file).FromASCII(""); // settings.log_severity = LOGSEVERITY_DEFAULT; // CefString(&settings.resources_dir_path).FromASCII(""); // CefString(&settings.locales_dir_path).FromASCII(""); settings.windowless_rendering_enabled = true; settings.log_severity = LOGSEVERITY_VERBOSE; CefString(&settings.log_file).FromASCII("./Blu.log"); CefString(&settings.browser_subprocess_path).FromASCII("cef_ue4_process.exe"); CefMainArgs main_args; CefExecuteProcess(main_args, NULL, NULL); CefInitialize(main_args, settings, NULL, NULL); } BluInstance::~BluInstance() { UE_LOG(LogBlu, Warning, TEXT("Blu Instance Closing")); }
[ "aaron524.web@gmail.com" ]
aaron524.web@gmail.com
ed3b28cb2f39ea480b0875151a38719621b3cf6f
4e6ee280d0635e9b747e19cf61447c67a2609e77
/Core/Initializer.h
933be7b5e58914e81d2f554380fd35eeab864c3c
[]
no_license
NicolasCAZIN/TRN
89442af85c1b15795e752c4c77911fb853e508cc
b236d94b2b9e200398f5d56f752c53bc8fbc1fb8
refs/heads/master
2021-01-02T09:36:07.057149
2019-06-11T11:55:41
2019-06-11T11:55:41
99,256,071
0
0
null
null
null
null
UTF-8
C++
false
false
536
h
#pragma once #include "core_global.h" #include "Batch.h" namespace TRN { namespace Core { class CORE_EXPORT Initializer : public TRN::Helper::Bridge<TRN::Backend::Driver> { public : static const bool DEFAULT_BLANK_DIAGONAL; protected : Initializer(const std::shared_ptr<TRN::Backend::Driver> &driver); public : virtual ~Initializer(); public: virtual void initialize(unsigned long &seed, std::shared_ptr<TRN::Core::Batch> &batch, const bool &blank_diagonal = DEFAULT_BLANK_DIAGONAL) = 0; }; }; };
[ "nicolas.cazin@inserm.fr" ]
nicolas.cazin@inserm.fr
db037838b3f58a01a99af57810c9b779c33a213c
13c80c3d048b5267d3ba7803706b43155751b429
/History/Summer 2015 - Contest 1/zju5398.cpp
07c6a233152dca03fda84483c7fc3aaac83adc19
[]
no_license
contropist/CodeWorld
d0938f0031ca1f4e3b86e104b2538a60e43e49a8
7723f67073afdb2cd2626a45401c3146aebfd53d
refs/heads/master
2022-03-09T08:07:16.023970
2016-08-09T10:07:20
2016-08-09T10:07:20
null
0
0
null
null
null
null
UTF-8
C++
false
false
727
cpp
//@ Including Header #include <csl_std.h> /** * Name : zju5398.cpp * Date : 2015年12月29日 下午2:24:08 * Copyright : fateud.com * Anti-Mage : The magic ends here. */ //@ Main Function int main() { std::ios_base::sync_with_stdio(false); std::cin.tie(nullptr); int _, __ = 1; for(std::cin >> _; _; --_, ++__) { //std::cout << "Case #" << __ <<": "; int n, m; cin >> n >> m; vector<int> v(n); rep(i, 0, n) cin >> v[i]; int p = 0, d = 1, ans = -1, cnt = 0; for (int k = n + 5; k; k--) { ans = p, v[p] -= m; if (v[p] <= 0) d = -d, cnt ++; if (cnt == n) break; do { p = (p + d + n) % n; } while (v[p] <= 0); } printf("%d\n", ans + 1); } return 0; }
[ "chouunsoft@gmail.com" ]
chouunsoft@gmail.com
3a8e74121453dba74b7a206069da071d19704e3d
8e8f6ea9a3dfba0fe1b309d77b3887ca2c48f833
/atcoder/abc180/D.cpp
a145eb7741f1d552a1e0c2a921f2eaa4b325ae44
[]
no_license
MahirSez/problem-solving
dcfa75a15a44eb32716b706324be5226334558f1
385a43a1354e64be82a15528ee2d52d7e93812f3
refs/heads/master
2023-03-21T10:53:30.135684
2021-02-21T13:25:00
2021-03-07T15:40:47
340,282,809
0
1
null
null
null
null
UTF-8
C++
false
false
11,298
cpp
#include <vector> #include <cstdlib> #include <iostream> #include <iomanip> #include <string> #include <ctime> using namespace std; // base and base_digits must be consistent const int base = 1000000000; const int base_digits = 9; struct bigint { vector<int> a; int sign; bigint() : sign(1) { } bigint(long long v) { *this = v; } bigint(const string &s) { read(s); } void operator=(const bigint &v) { sign = v.sign; a = v.a; } void operator=(long long v) { sign = 1; if (v < 0) sign = -1, v = -v; for (; v > 0; v = v / base) a.push_back(v % base); } bigint operator+(const bigint &v) const { if (sign == v.sign) { bigint res = v; for (int i = 0, carry = 0; i < (int) max(a.size(), v.a.size()) || carry; ++i) { if (i == (int) res.a.size()) res.a.push_back(0); res.a[i] += carry + (i < (int) a.size() ? a[i] : 0); carry = res.a[i] >= base; if (carry) res.a[i] -= base; } return res; } return *this - (-v); } bigint operator-(const bigint &v) const { if (sign == v.sign) { if (abs() >= v.abs()) { bigint res = *this; for (int i = 0, carry = 0; i < (int) v.a.size() || carry; ++i) { res.a[i] -= carry + (i < (int) v.a.size() ? v.a[i] : 0); carry = res.a[i] < 0; if (carry) res.a[i] += base; } res.trim(); return res; } return -(v - *this); } return *this + (-v); } void operator*=(int v) { if (v < 0) sign = -sign, v = -v; for (int i = 0, carry = 0; i < (int) a.size() || carry; ++i) { if (i == (int) a.size()) a.push_back(0); long long cur = a[i] * (long long) v + carry; carry = (int) (cur / base); a[i] = (int) (cur % base); //asm("divl %%ecx" : "=a"(carry), "=d"(a[i]) : "A"(cur), "c"(base)); } trim(); } bigint operator*(int v) const { bigint res = *this; res *= v; return res; } friend pair<bigint, bigint> divmod(const bigint &a1, const bigint &b1) { int norm = base / (b1.a.back() + 1); bigint a = a1.abs() * norm; bigint b = b1.abs() * norm; bigint q, r; q.a.resize(a.a.size()); for (int i = a.a.size() - 1; i >= 0; i--) { r *= base; r += a.a[i]; int s1 = r.a.size() <= b.a.size() ? 0 : r.a[b.a.size()]; int s2 = r.a.size() <= b.a.size() - 1 ? 0 : r.a[b.a.size() - 1]; int d = ((long long) base * s1 + s2) / b.a.back(); r -= b * d; while (r < 0) r += b, --d; q.a[i] = d; } q.sign = a1.sign * b1.sign; r.sign = a1.sign; q.trim(); r.trim(); return make_pair(q, r / norm); } bigint operator/(const bigint &v) const { return divmod(*this, v).first; } bigint operator%(const bigint &v) const { return divmod(*this, v).second; } void operator/=(int v) { if (v < 0) sign = -sign, v = -v; for (int i = (int) a.size() - 1, rem = 0; i >= 0; --i) { long long cur = a[i] + rem * (long long) base; a[i] = (int) (cur / v); rem = (int) (cur % v); } trim(); } bigint operator/(int v) const { bigint res = *this; res /= v; return res; } int operator%(int v) const { if (v < 0) v = -v; int m = 0; for (int i = a.size() - 1; i >= 0; --i) m = (a[i] + m * (long long) base) % v; return m * sign; } void operator+=(const bigint &v) { *this = *this + v; } void operator-=(const bigint &v) { *this = *this - v; } void operator*=(const bigint &v) { *this = *this * v; } void operator/=(const bigint &v) { *this = *this / v; } bool operator<(const bigint &v) const { if (sign != v.sign) return sign < v.sign; if (a.size() != v.a.size()) return a.size() * sign < v.a.size() * v.sign; for (int i = a.size() - 1; i >= 0; i--) if (a[i] != v.a[i]) return a[i] * sign < v.a[i] * sign; return false; } bool operator>(const bigint &v) const { return v < *this; } bool operator<=(const bigint &v) const { return !(v < *this); } bool operator>=(const bigint &v) const { return !(*this < v); } bool operator==(const bigint &v) const { return !(*this < v) && !(v < *this); } bool operator!=(const bigint &v) const { return *this < v || v < *this; } void trim() { while (!a.empty() && !a.back()) a.pop_back(); if (a.empty()) sign = 1; } bool isZero() const { return a.empty() || (a.size() == 1 && !a[0]); } bigint operator-() const { bigint res = *this; res.sign = -sign; return res; } bigint abs() const { bigint res = *this; res.sign *= res.sign; return res; } long long longValue() const { long long res = 0; for (int i = a.size() - 1; i >= 0; i--) res = res * base + a[i]; return res * sign; } friend bigint gcd(const bigint &a, const bigint &b) { return b.isZero() ? a : gcd(b, a % b); } friend bigint lcm(const bigint &a, const bigint &b) { return a / gcd(a, b) * b; } void read(const string &s) { sign = 1; a.clear(); int pos = 0; while (pos < (int) s.size() && (s[pos] == '-' || s[pos] == '+')) { if (s[pos] == '-') sign = -sign; ++pos; } for (int i = s.size() - 1; i >= pos; i -= base_digits) { int x = 0; for (int j = max(pos, i - base_digits + 1); j <= i; j++) x = x * 10 + s[j] - '0'; a.push_back(x); } trim(); } friend istream& operator>>(istream &stream, bigint &v) { string s; stream >> s; v.read(s); return stream; } friend ostream& operator<<(ostream &stream, const bigint &v) { if (v.sign == -1) stream << '-'; stream << (v.a.empty() ? 0 : v.a.back()); for (int i = (int) v.a.size() - 2; i >= 0; --i) stream << setw(base_digits) << setfill('0') << v.a[i]; return stream; } static vector<int> convert_base(const vector<int> &a, int old_digits, int new_digits) { vector<long long> p(max(old_digits, new_digits) + 1); p[0] = 1; for (int i = 1; i < (int) p.size(); i++) p[i] = p[i - 1] * 10; vector<int> res; long long cur = 0; int cur_digits = 0; for (int i = 0; i < (int) a.size(); i++) { cur += a[i] * p[cur_digits]; cur_digits += old_digits; while (cur_digits >= new_digits) { res.push_back(int(cur % p[new_digits])); cur /= p[new_digits]; cur_digits -= new_digits; } } res.push_back((int) cur); while (!res.empty() && !res.back()) res.pop_back(); return res; } typedef vector<long long> vll; static vll karatsubaMultiply(const vll &a, const vll &b) { int n = a.size(); vll res(n + n); if (n <= 32) { for (int i = 0; i < n; i++) for (int j = 0; j < n; j++) res[i + j] += a[i] * b[j]; return res; } int k = n >> 1; vll a1(a.begin(), a.begin() + k); vll a2(a.begin() + k, a.end()); vll b1(b.begin(), b.begin() + k); vll b2(b.begin() + k, b.end()); vll a1b1 = karatsubaMultiply(a1, b1); vll a2b2 = karatsubaMultiply(a2, b2); for (int i = 0; i < k; i++) a2[i] += a1[i]; for (int i = 0; i < k; i++) b2[i] += b1[i]; vll r = karatsubaMultiply(a2, b2); for (int i = 0; i < (int) a1b1.size(); i++) r[i] -= a1b1[i]; for (int i = 0; i < (int) a2b2.size(); i++) r[i] -= a2b2[i]; for (int i = 0; i < (int) r.size(); i++) res[i + k] += r[i]; for (int i = 0; i < (int) a1b1.size(); i++) res[i] += a1b1[i]; for (int i = 0; i < (int) a2b2.size(); i++) res[i + n] += a2b2[i]; return res; } bigint operator*(const bigint &v) const { vector<int> a6 = convert_base(this->a, base_digits, 6); vector<int> b6 = convert_base(v.a, base_digits, 6); vll a(a6.begin(), a6.end()); vll b(b6.begin(), b6.end()); while (a.size() < b.size()) a.push_back(0); while (b.size() < a.size()) b.push_back(0); while (a.size() & (a.size() - 1)) a.push_back(0), b.push_back(0); vll c = karatsubaMultiply(a, b); bigint res; res.sign = sign * v.sign; for (int i = 0, carry = 0; i < (int) c.size(); i++) { long long cur = c[i] + carry; res.a.push_back((int) (cur % 1000000)); carry = (int) (cur / 1000000); } res.a = convert_base(res.a, 6, base_digits); res.trim(); return res; } }; int main() { clock_t start = clock(); // bigint a("99999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999999"); // bigint b("19999999999999999999999999999999999999999999999999999999999999999999999999999999999999998"); // cout << a * b << endl; // cout << a / b << endl; // string sa, sb; // for (int i = 0; i < 100000; i++) // sa += i % 10 + '0'; // for (int i = 0; i < 20000; i++) // sb += i % 10 + '0'; // a = bigint(sa); // b = bigint(sb); // bigint c = a / b; // string x , y , a , b; cin>>x>>y>>a>>b; bigint xx = bigint(x); bigint yy = bigint(y); bigint aa = bigint(a); bigint bb = bigint(b); bigint cnt = (yy-xx-1)/bb; // cout<<cnt<<'\n'; for(int i = 1 ; i <= 30 ; i++ ) { xx = xx * aa; if(xx >= yy ) break; cnt = max(cnt ,bigint(i) + (yy-xx-1)/bb ); } cout<<cnt<<'\n'; // fprintf(stderr, "time=%.3lfsec\n", 0.001 * (clock() - start)); return 0; }
[ "mahirsezan@gmail.com" ]
mahirsezan@gmail.com
b4e3ee57597951918f114a358abdadc7c7b5ac7e
9da42e04bdaebdf0193a78749a80c4e7bf76a6cc
/third_party/gecko-2/win32/include/nsIFeedElementBase.h
8599dcf2f284a30776a761826f7399f412015a08
[ "Apache-2.0" ]
permissive
bwp/SeleniumWebDriver
9d49e6069881845e9c23fb5211a7e1b8959e2dcf
58221fbe59fcbbde9d9a033a95d45d576b422747
refs/heads/master
2021-01-22T21:32:50.541163
2012-11-09T16:19:48
2012-11-09T16:19:48
6,602,097
1
0
null
null
null
null
UTF-8
C++
false
false
4,526
h
/* * DO NOT EDIT. THIS FILE IS GENERATED FROM e:/builds/moz2_slave/rel-2.0-xr-w32-bld/build/toolkit/components/feeds/public/nsIFeedElementBase.idl */ #ifndef __gen_nsIFeedElementBase_h__ #define __gen_nsIFeedElementBase_h__ #ifndef __gen_nsISupports_h__ #include "nsISupports.h" #endif /* For IDL files that don't want to include root IDL files. */ #ifndef NS_NO_VTABLE #define NS_NO_VTABLE #endif class nsISAXAttributes; /* forward declaration */ class nsIURI; /* forward declaration */ /* starting interface: nsIFeedElementBase */ #define NS_IFEEDELEMENTBASE_IID_STR "5215291e-fa0a-40c2-8ce7-e86cd1a1d3fa" #define NS_IFEEDELEMENTBASE_IID \ {0x5215291e, 0xfa0a, 0x40c2, \ { 0x8c, 0xe7, 0xe8, 0x6c, 0xd1, 0xa1, 0xd3, 0xfa }} /** * An nsIFeedGenerator represents the software used to create a feed. */ class NS_NO_VTABLE NS_SCRIPTABLE nsIFeedElementBase : public nsISupports { public: NS_DECLARE_STATIC_IID_ACCESSOR(NS_IFEEDELEMENTBASE_IID) /** * The attributes found on the element. Most interfaces provide convenience * accessors for their standard fields, so this useful only when looking for * an extension. */ /* attribute nsISAXAttributes attributes; */ NS_SCRIPTABLE NS_IMETHOD GetAttributes(nsISAXAttributes **aAttributes) = 0; NS_SCRIPTABLE NS_IMETHOD SetAttributes(nsISAXAttributes *aAttributes) = 0; /** * The baseURI for the Entry or Feed. */ /* attribute nsIURI baseURI; */ NS_SCRIPTABLE NS_IMETHOD GetBaseURI(nsIURI **aBaseURI) = 0; NS_SCRIPTABLE NS_IMETHOD SetBaseURI(nsIURI *aBaseURI) = 0; }; NS_DEFINE_STATIC_IID_ACCESSOR(nsIFeedElementBase, NS_IFEEDELEMENTBASE_IID) /* Use this macro when declaring classes that implement this interface. */ #define NS_DECL_NSIFEEDELEMENTBASE \ NS_SCRIPTABLE NS_IMETHOD GetAttributes(nsISAXAttributes **aAttributes); \ NS_SCRIPTABLE NS_IMETHOD SetAttributes(nsISAXAttributes *aAttributes); \ NS_SCRIPTABLE NS_IMETHOD GetBaseURI(nsIURI **aBaseURI); \ NS_SCRIPTABLE NS_IMETHOD SetBaseURI(nsIURI *aBaseURI); /* Use this macro to declare functions that forward the behavior of this interface to another object. */ #define NS_FORWARD_NSIFEEDELEMENTBASE(_to) \ NS_SCRIPTABLE NS_IMETHOD GetAttributes(nsISAXAttributes **aAttributes) { return _to GetAttributes(aAttributes); } \ NS_SCRIPTABLE NS_IMETHOD SetAttributes(nsISAXAttributes *aAttributes) { return _to SetAttributes(aAttributes); } \ NS_SCRIPTABLE NS_IMETHOD GetBaseURI(nsIURI **aBaseURI) { return _to GetBaseURI(aBaseURI); } \ NS_SCRIPTABLE NS_IMETHOD SetBaseURI(nsIURI *aBaseURI) { return _to SetBaseURI(aBaseURI); } /* Use this macro to declare functions that forward the behavior of this interface to another object in a safe way. */ #define NS_FORWARD_SAFE_NSIFEEDELEMENTBASE(_to) \ NS_SCRIPTABLE NS_IMETHOD GetAttributes(nsISAXAttributes **aAttributes) { return !_to ? NS_ERROR_NULL_POINTER : _to->GetAttributes(aAttributes); } \ NS_SCRIPTABLE NS_IMETHOD SetAttributes(nsISAXAttributes *aAttributes) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetAttributes(aAttributes); } \ NS_SCRIPTABLE NS_IMETHOD GetBaseURI(nsIURI **aBaseURI) { return !_to ? NS_ERROR_NULL_POINTER : _to->GetBaseURI(aBaseURI); } \ NS_SCRIPTABLE NS_IMETHOD SetBaseURI(nsIURI *aBaseURI) { return !_to ? NS_ERROR_NULL_POINTER : _to->SetBaseURI(aBaseURI); } #if 0 /* Use the code below as a template for the implementation class for this interface. */ /* Header file */ class nsFeedElementBase : public nsIFeedElementBase { public: NS_DECL_ISUPPORTS NS_DECL_NSIFEEDELEMENTBASE nsFeedElementBase(); private: ~nsFeedElementBase(); protected: /* additional members */ }; /* Implementation file */ NS_IMPL_ISUPPORTS1(nsFeedElementBase, nsIFeedElementBase) nsFeedElementBase::nsFeedElementBase() { /* member initializers and constructor code */ } nsFeedElementBase::~nsFeedElementBase() { /* destructor code */ } /* attribute nsISAXAttributes attributes; */ NS_IMETHODIMP nsFeedElementBase::GetAttributes(nsISAXAttributes **aAttributes) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsFeedElementBase::SetAttributes(nsISAXAttributes *aAttributes) { return NS_ERROR_NOT_IMPLEMENTED; } /* attribute nsIURI baseURI; */ NS_IMETHODIMP nsFeedElementBase::GetBaseURI(nsIURI **aBaseURI) { return NS_ERROR_NOT_IMPLEMENTED; } NS_IMETHODIMP nsFeedElementBase::SetBaseURI(nsIURI *aBaseURI) { return NS_ERROR_NOT_IMPLEMENTED; } /* End of implementation class template. */ #endif #endif /* __gen_nsIFeedElementBase_h__ */
[ "haleokekahuna@gmail.com" ]
haleokekahuna@gmail.com
b41fcf9a674b6ae0507688a21c28d4dee5d882a0
e1ce5c1c8e403df3446ea6736803cec795b47ec5
/15-stk-master/sphere-code/demos/variance-analysis-demo3.cxx
9dad90e0d4c5a56767e180c81f191981e7975ad0
[]
no_license
HannahJHan/BlueNoiseSampling
c33f240221dd91843d0033de144adc4a238f69c7
1aec7e67f3e84735054ec79c6b477950095942ca
refs/heads/master
2022-12-31T16:17:48.937577
2020-10-20T10:43:32
2020-10-20T10:43:32
305,656,275
1
0
null
null
null
null
UTF-8
C++
false
false
5,833
cxx
/* Variance analysis of Spherical Gaussian * using poissondisk sampler * */ #include "./../core/utils.h" #include "./../core/utils-sphere.h" #include "./../sampler-sphere/sampler-sphere.h" #include "./../sphere-analysis/sphere-analysis.h" #include "./../sphere-analysis/spherical-functions.h" #include <sstream> #include <fstream> #include <iomanip> #include <sys/stat.h> int main(int argc, char* argv[]){ if(argc != 3){ std::cerr << "Parameters: samplingpattern bwidth" << std::endl; exit(-1); } //#####################Declaring Variables############################ srand48(time(NULL)); std::string samplingpattern = argv[1]; float bwidth = atof(argv[2]); std::stringstream ss; int totalPts = 105000; int numTrials = 200; //###############Creating Folders################################### std::string datafiles, images, graphs; std::string resultFolder = "./results/"; ss.str(std::string()); ss << resultFolder << "variance-analysis-sphericalgaussian-" << samplingpattern << "-trials-" << numTrials << "/"; mkdir(ss.str().c_str(),0755); #ifdef __APPLE__ create_folders(ss.str(), datafiles, images, graphs); #elif __linux__ create_folders(ss.str(), datafiles, images, graphs); #endif //########################################################## double *sampleSpace; int sampleSpaceSize = 0; if(samplingpattern == "poissondisk"){ int initN = 1048576; ///1M samples for initialzation of the Sample Space S_i std::vector<double> initSamples; initSamples = spherical_stratified_samples(initN); sampleSpace = new double[initSamples.size()] (); sampleSpaceSize = initSamples.size()/3.0; for(int i=0; i<sampleSpaceSize;i++){ sampleSpace[3*i+0] = initSamples[3*i+0]; sampleSpace[3*i+1] = initSamples[3*i+1]; sampleSpace[3*i+2] = initSamples[3*i+2]; } std::cerr << "PoissonDisk initial discrete sampleSpace generated !" << std::endl; } //########################################################## //for(double theta = thetaBegin; theta <= thetaEnd; theta+=15.0){ std::ofstream fvar, fmean, fvarReN; ss.str(std::string()); ss << datafiles << "variance-spherical-gaussian-b" << bwidth <<"-" << samplingpattern << ".txt"; fvar.open(ss.str().c_str(), std::ios::app); ss.str(std::string()); ss << datafiles << "variance-spherical-gaussian-withrealN-b" << bwidth <<"-" << samplingpattern << ".txt"; fvarReN.open(ss.str().c_str(), std::ios::app); ss.str(std::string()); ss << datafiles << "mean-spherical-gaussian-b" << bwidth << "-" << samplingpattern << ".txt"; fmean.open(ss.str().c_str(), std::ios::app); //############################################################################## //############################################################################## for(int N = 1; N <= totalPts;){ //fprintf(stderr,"\r Numpts (%d) ",N); double mean = 0; double variance = 0; int realN = N; for(int trial = 1; trial <= numTrials; trial++){ fprintf(stderr,"\r trial/Numpts (%d/%d) ",trial, N); //############################################################################## std::vector<double> sphereSamples; if(samplingpattern == "dartthrowing") sphereSamples = spherical_dart_throwing_samples(N); else if(samplingpattern == "poissondisk"){ sphereSamples = spherical_poisson_disk_samples(N, sampleSpace, sampleSpaceSize); } else{ std::cerr << "sampling pattern do not match !!!" << std::endl; std::cerr << "Patterns: dartthrowing, poissondisk" << std::endl; return 0; } //############################################################################## double integral = 0; double ref[] = {0.,0.,1.}; for(int i=0; i < sphereSamples.size(); i+=3){ double xyz[] = {sphereSamples[i+0],sphereSamples[i+1],sphereSamples[i+2]}; integral += spherical_gaussian_function(ref, xyz, bwidth); } double factor = (4*PI) / double(sphereSamples.size()); integral *= factor; //############################################################################## //Incremental Mean and Variance computation mean = ((trial-1)/double(trial)) * mean + (1/double(trial)) * integral; if(trial < 2){ variance = 0; } else{ variance = ((trial-1)/double(trial)) * variance + (1/double(trial-1)) * (integral - mean) * (integral - mean); } //############################################################################## realN = sphereSamples.size() / 3.0; } //varianceRef /= double(numTrials); fmean << std::fixed << N << std::setprecision(15) << " " << mean << std::endl; fvar << std::fixed << N << std::setprecision(15) << " " << variance << std::endl; fvarReN << std::fixed << realN << std::setprecision(15) << " " << variance << std::endl; //############################################################################## if(N >= 1000) N += 5000; else if(N >= 500 && N < 1000){ N+=250; } else if(N >= 150 && N < 500){ N+=10; } else if(N < 150){ N += 5; } //############################################################################## } fvar.close(); fmean.close(); fvarReN.close(); delete [] sampleSpace; return 0; }
[ "741891498@qq.com" ]
741891498@qq.com
2dfed3f54c6be78d6570ef024873ffc59e75ba52
aade1e73011f72554e3bd7f13b6934386daf5313
/Contest/AsiaPacific/Taipei2018/D.cpp
f9accfc3df190ef68da649731f0d8dba7a943870
[]
no_license
edisonhello/waynedisonitau123
3a57bc595cb6a17fc37154ed0ec246b145ab8b32
48658467ae94e60ef36cab51a36d784c4144b565
refs/heads/master
2022-09-21T04:24:11.154204
2022-09-18T15:23:47
2022-09-18T15:23:47
101,478,520
34
6
null
null
null
null
UTF-8
C++
false
false
703
cpp
#include<bits/stdc++.h> using namespace std; int a[200005],sa[200005],pos[200005]; bitset<200005> u; int main(){ int t; cin>>t; while(t--){ int n,k; cin>>n>>k; for(int i=1;i<=k;++i)u[i]=0; for(int i=1;i<=n;++i)cin>>a[i]; for(int i=1;i<=n;++i)cin>>sa[i]; for(int i=1;i<=n;++i)pos[sa[i]]=i; int outed=0; for(int i=1;i<=n;++i){ if(u[a[pos[i]]])continue; u[a[pos[i]]]=1; ++outed; cout<<a[pos[i]]; if(outed!=k)cout<<" "; } for(int i=1;i<=k;++i)if(!u[i]){ cout<<i; ++outed; if(outed!=k)cout<<" "; } cout<<endl; } }
[ "tu.da.wei@gmail.com" ]
tu.da.wei@gmail.com
61c71c5dbdab5a2165f0b1bca65af70b3593362d
f5cb2ea31c68ee184322b733ee900621f319c7c0
/include/window.h
efcd5b65b0419318d58f0768caf24eca9cc05dc6
[]
no_license
t2dplayer/margot
8ba654c0944831ab6f8578a3864e9c845b3a4bd9
66b30629e585598eb6c3f515bf77f982606bba39
refs/heads/main
2023-05-09T20:58:57.005897
2021-06-10T12:22:21
2021-06-10T12:22:21
367,188,721
0
0
null
null
null
null
UTF-8
C++
false
false
737
h
#ifndef __WINDOW__ #define __WINDOW__ #include <string> #include <X11/Xlib.h> #include <functional> namespace Margot { using Func = std::function<void(Display*, Window&, GC&)>; using OnKeyPressed = std::function<void(KeyCode)>; class MWindow { Display* display = nullptr; Window window; GC gc; Func f = nullptr; OnKeyPressed k = nullptr; std::string title = ""; int width, height; public: MWindow(const std::string& title, int width, int height); ~MWindow(); void render(Func f = nullptr); void onKeyPressed(OnKeyPressed k = nullptr); void redraw(); void show(); }; } #endif /* __WINDOW__ */
[ "sergiosvieira@gmail.com" ]
sergiosvieira@gmail.com
7c95de4bd5f3778078e2d05391bbb7584df7c57f
1c4a59a443086e9c256836b295dfb5cbb739369a
/Linux/src/UdpClient.h
6c5b40b79bd4961ace777bc84b85ad8968c5bdf3
[ "Apache-2.0" ]
permissive
ldcsaa/HP-Socket
75f1e066472a294d29beba40db73bf9d50eda681
fb45e228974e4f2cac2c222ab0d07a7a316a07f3
refs/heads/dev
2023-08-16T03:00:10.580279
2023-08-12T21:21:14
2023-08-12T21:21:14
15,257,213
6,720
1,934
NOASSERTION
2021-12-27T06:33:17
2013-12-17T14:53:52
C
UTF-8
C++
false
false
9,130
h
/* * Copyright: JessMA Open Source (ldcsaa@gmail.com) * * Author : Bruce Liang * Website : https://github.com/ldcsaa * Project : https://github.com/ldcsaa/HP-Socket * Blog : http://www.cnblogs.com/ldcsaa * Wiki : http://www.oschina.net/p/hp-socket * QQ Group : 44636872, 75375912 * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ #pragma once #include "SocketHelper.h" #include "./common/GeneralHelper.h" #ifdef _UDP_SUPPORT class CUdpClient : public IUdpClient { public: virtual BOOL Start (LPCTSTR lpszRemoteAddress, USHORT usPort, BOOL bAsyncConnect = TRUE, LPCTSTR lpszBindAddress = nullptr, USHORT usLocalPort = 0); virtual BOOL Stop (); virtual BOOL Send (const BYTE* pBuffer, int iLength, int iOffset = 0) {return DoSend(pBuffer, iLength, iOffset);} virtual BOOL SendPackets (const WSABUF pBuffers[], int iCount); virtual BOOL PauseReceive (BOOL bPause = TRUE); virtual BOOL Wait (DWORD dwMilliseconds = INFINITE) {return m_evWait.WaitFor(dwMilliseconds, WAIT_FOR_STOP_PREDICATE);} virtual BOOL HasStarted () {return m_enState == SS_STARTED || m_enState == SS_STARTING;} virtual EnServiceState GetState () {return m_enState;} virtual CONNID GetConnectionID () {return m_dwConnID;} virtual EnSocketError GetLastError () {return m_enLastError;} virtual LPCTSTR GetLastErrorDesc () {return ::GetSocketErrorDesc(m_enLastError);} virtual BOOL GetLocalAddress (TCHAR lpszAddress[], int& iAddressLen, USHORT& usPort); virtual BOOL GetRemoteHost (TCHAR lpszHost[], int& iHostLen, USHORT& usPort); virtual BOOL GetPendingDataLength (int& iPending) {iPending = m_lsSend.Length(); return HasStarted();} virtual BOOL IsPauseReceive (BOOL& bPaused) {bPaused = m_bPaused; return HasStarted();} virtual BOOL IsConnected () {return m_bConnected;} public: virtual BOOL IsSecure () {return FALSE;} virtual void SetReuseAddressPolicy (EnReuseAddressPolicy enReusePolicy){ENSURE_HAS_STOPPED(); m_enReusePolicy = enReusePolicy;} virtual void SetMaxDatagramSize (DWORD dwMaxDatagramSize) {ENSURE_HAS_STOPPED(); m_dwMaxDatagramSize = dwMaxDatagramSize;} virtual void SetDetectAttempts (DWORD dwDetectAttempts) {ENSURE_HAS_STOPPED(); m_dwDetectAttempts = dwDetectAttempts;} virtual void SetDetectInterval (DWORD dwDetectInterval) {ENSURE_HAS_STOPPED(); m_dwDetectInterval = dwDetectInterval;} virtual void SetFreeBufferPoolSize (DWORD dwFreeBufferPoolSize) {ENSURE_HAS_STOPPED(); m_dwFreeBufferPoolSize = dwFreeBufferPoolSize;} virtual void SetFreeBufferPoolHold (DWORD dwFreeBufferPoolHold) {ENSURE_HAS_STOPPED(); m_dwFreeBufferPoolHold = dwFreeBufferPoolHold;} virtual void SetExtra (PVOID pExtra) {m_pExtra = pExtra;} virtual EnReuseAddressPolicy GetReuseAddressPolicy () {return m_enReusePolicy;} virtual DWORD GetMaxDatagramSize () {return m_dwMaxDatagramSize;} virtual DWORD GetDetectAttempts () {return m_dwDetectAttempts;} virtual DWORD GetDetectInterval () {return m_dwDetectInterval;} virtual DWORD GetFreeBufferPoolSize () {return m_dwFreeBufferPoolSize;} virtual DWORD GetFreeBufferPoolHold () {return m_dwFreeBufferPoolHold;} virtual PVOID GetExtra () {return m_pExtra;} protected: virtual EnHandleResult FirePrepareConnect(SOCKET socket) {return DoFirePrepareConnect(this, socket);} virtual EnHandleResult FireConnect() { EnHandleResult rs = DoFireConnect(this); if(rs != HR_ERROR) rs = FireHandShake(); return rs; } virtual EnHandleResult FireHandShake() {return DoFireHandShake(this);} virtual EnHandleResult FireSend(const BYTE* pData, int iLength) {return DoFireSend(this, pData, iLength);} virtual EnHandleResult FireReceive(const BYTE* pData, int iLength) {return DoFireReceive(this, pData, iLength);} virtual EnHandleResult FireReceive(int iLength) {return DoFireReceive(this, iLength);} virtual EnHandleResult FireClose(EnSocketOperation enOperation, int iErrorCode) {return DoFireClose(this, enOperation, iErrorCode);} virtual EnHandleResult DoFirePrepareConnect(IUdpClient* pSender, SOCKET socket) {return m_pListener->OnPrepareConnect(pSender, pSender->GetConnectionID(), socket);} virtual EnHandleResult DoFireConnect(IUdpClient* pSender) {return m_pListener->OnConnect(pSender, pSender->GetConnectionID());} virtual EnHandleResult DoFireHandShake(IUdpClient* pSender) {return m_pListener->OnHandShake(pSender, pSender->GetConnectionID());} virtual EnHandleResult DoFireSend(IUdpClient* pSender, const BYTE* pData, int iLength) {return m_pListener->OnSend(pSender, pSender->GetConnectionID(), pData, iLength);} virtual EnHandleResult DoFireReceive(IUdpClient* pSender, const BYTE* pData, int iLength) {return m_pListener->OnReceive(pSender, pSender->GetConnectionID(), pData, iLength);} virtual EnHandleResult DoFireReceive(IUdpClient* pSender, int iLength) {return m_pListener->OnReceive(pSender, pSender->GetConnectionID(), iLength);} virtual EnHandleResult DoFireClose(IUdpClient* pSender, EnSocketOperation enOperation, int iErrorCode) {return m_pListener->OnClose(pSender, pSender->GetConnectionID(), enOperation, iErrorCode);} void SetLastError(EnSocketError code, LPCSTR func, int ec); virtual BOOL CheckParams(); virtual void PrepareStart(); virtual void Reset(); virtual void OnWorkerThreadStart(THR_ID tid) {} virtual void OnWorkerThreadEnd(THR_ID tid) {} virtual FD GetUserEvent() {return INVALID_FD;} virtual BOOL OnUserEvent() {return TRUE;} static BOOL DoSend(CUdpClient* pClient, const BYTE* pBuffer, int iLength, int iOffset = 0) {return pClient->DoSend(pBuffer, iLength, iOffset);} protected: void SetReserved (PVOID pReserved) {m_pReserved = pReserved;} PVOID GetReserved () {return m_pReserved;} BOOL GetRemoteHost (LPCSTR* lpszHost, USHORT* pusPort = nullptr); private: BOOL DoSend (const BYTE* pBuffer, int iLength, int iOffset = 0); void SetRemoteHost (LPCTSTR lpszHost, USHORT usPort); void SetConnected (BOOL bConnected = TRUE) {m_bConnected = bConnected; if(bConnected) m_enState = SS_STARTED;} BOOL CheckStarting(); BOOL CheckStoping(); BOOL CreateClientSocket(LPCTSTR lpszRemoteAddress, HP_SOCKADDR& addrRemote, USHORT usPort, LPCTSTR lpszBindAddress, HP_SOCKADDR& addrBind); BOOL BindClientSocket(const HP_SOCKADDR& addrBind, const HP_SOCKADDR& addrRemote, USHORT usLocalPort); BOOL ConnectToServer(const HP_SOCKADDR& addrRemote, BOOL bAsyncConnect); BOOL CreateWorkerThread(); BOOL ProcessNetworkEvent(SHORT events); BOOL ReadData(); BOOL SendData(); BOOL DoSendData(TItem* pItem, BOOL& bBlocked); int SendInternal(TItemPtr& itPtr); void WaitForWorkerThreadEnd(); void CheckConnected(); BOOL HandleConnect (SHORT events); BOOL HandleClose (SHORT events); BOOL HandleRead (SHORT events); BOOL HandleWrite (SHORT events); BOOL CheckConnection (); BOOL DetectConnection (); BOOL IsNeedDetect () {return m_dwDetectAttempts > 0 && m_dwDetectInterval > 0;} UINT WINAPI WorkerThreadProc(LPVOID pv); public: CUdpClient(IUdpClientListener* pListener) : m_pListener (pListener) , m_lsSend (m_itPool) , m_soClient (INVALID_SOCKET) , m_nEvents (0) , m_dwConnID (0) , m_usPort (0) , m_bPaused (FALSE) , m_bConnected (FALSE) , m_enLastError (SE_OK) , m_enState (SS_STOPPED) , m_dwDetectFails (0) , m_pExtra (nullptr) , m_pReserved (nullptr) , m_enReusePolicy (RAP_ADDR_ONLY) , m_dwMaxDatagramSize (DEFAULT_UDP_MAX_DATAGRAM_SIZE) , m_dwFreeBufferPoolSize(DEFAULT_CLIENT_FREE_BUFFER_POOL_SIZE) , m_dwFreeBufferPoolHold(DEFAULT_CLIENT_FREE_BUFFER_POOL_HOLD) , m_dwDetectAttempts (DEFAULT_UDP_DETECT_ATTEMPTS) , m_dwDetectInterval (DEFAULT_UDP_DETECT_INTERVAL) { ASSERT(m_pListener); } virtual ~CUdpClient() { ENSURE_STOP(); } private: CSEM m_evWait; IUdpClientListener* m_pListener; TClientCloseContext m_ccContext; SOCKET m_soClient; SHORT m_nEvents; CONNID m_dwConnID; EnReuseAddressPolicy m_enReusePolicy; DWORD m_dwMaxDatagramSize; DWORD m_dwFreeBufferPoolSize; DWORD m_dwFreeBufferPoolHold; DWORD m_dwDetectAttempts; DWORD m_dwDetectInterval; EnSocketError m_enLastError; volatile BOOL m_bConnected; volatile EnServiceState m_enState; PVOID m_pExtra; PVOID m_pReserved; CBufferPtr m_rcBuffer; protected: CStringA m_strHost; USHORT m_usPort; CItemPool m_itPool; private: CSpinGuard m_csState; CCriSec m_csSend; TItemListExV m_lsSend; CEvt m_evSend; CEvt m_evRecv; CEvt m_evStop; DWORD m_dwDetectFails; volatile BOOL m_bPaused; CThread<CUdpClient, VOID, UINT> m_thWorker; }; #endif
[ "ldcsaa@21cn.com" ]
ldcsaa@21cn.com
241e0837014845e23a1802ceb92e0939f1a977aa
1f76efb6b8c4d8696a08e8634cdd2817db0ddd8e
/SRC/controler/command/CreationCommand.h
b6b754919618931bedc26fafc53e6402c7796623
[]
no_license
luischana/dna-analyzer-design
a5eec4b0fd981b0304f4c923005be53ddccecce6
b9e10166d8de5fd30d8795b612bc41548cc4558c
refs/heads/master
2022-12-28T09:20:26.094591
2020-09-26T20:59:30
2020-09-26T20:59:30
303,841,765
1
0
null
null
null
null
UTF-8
C++
false
false
163
h
#ifndef SRC_CREATIONCOMMAND_H #define SRC_CREATIONCOMMAND_H #include "ICommand.h" class CreationCommand: public ICommand { }; #endif //SRC_CREATIONCOMMAND_H
[ "z618149938@gmail.com" ]
z618149938@gmail.com
d0089adcf53f8e624fc3c8c6b0d782d09cbab40f
ea3cefc841d4638e4c24b83d9f9d1bf04b44acc2
/finn_dev_feedback_docker_output/code_gen_ipgen_StreamingFCLayer_Batch_6_jr0t8kfb/project_StreamingFCLayer_Batch_6/sol1/syn/systemc/StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6.h
58d5d0eb8a9c18dc1f8c675ad65e041d5020bd74
[]
no_license
pgreksic/FINN_Export_AXI_Lite_Missing
0bb3fd92eca030d4ba59ec19ae3ef5c79ce9ddce
915be24be5d2c4ca96018bdfd73abff31fcdd057
refs/heads/main
2023-03-11T23:23:32.250197
2021-03-01T17:33:42
2021-03-01T17:33:42
335,460,254
0
0
null
null
null
null
UTF-8
C++
false
false
4,389
h
// ============================================================== // RTL generated by Vivado(TM) HLS - High-Level Synthesis from C, C++ and OpenCL // Version: 2020.1.1 // Copyright (C) 1986-2020 Xilinx, Inc. All Rights Reserved. // // =========================================================== #ifndef _StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6_HH_ #define _StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6_HH_ #include "systemc.h" #include "AESL_pkg.h" #include "StreamingFCLayer_Batch_6_Matrix_Vector_Activa.h" namespace ap_rtl { struct StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6 : public sc_module { // Port declarations 11 sc_in_clk ap_clk; sc_in< sc_logic > ap_rst_n; sc_in< sc_lv<8> > in0_V_V_TDATA; sc_in< sc_logic > in0_V_V_TVALID; sc_out< sc_logic > in0_V_V_TREADY; sc_in< sc_lv<8> > weights_V_V_TDATA; sc_in< sc_logic > weights_V_V_TVALID; sc_out< sc_logic > weights_V_V_TREADY; sc_out< sc_lv<8> > out_V_V_TDATA; sc_out< sc_logic > out_V_V_TVALID; sc_in< sc_logic > out_V_V_TREADY; // Module declarations StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6(sc_module_name name); SC_HAS_PROCESS(StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6); ~StreamingFCLayer_Batch_6_StreamingFCLayer_Batch_6(); sc_trace_file* mVcdFile; ofstream mHdltvinHandle; ofstream mHdltvoutHandle; StreamingFCLayer_Batch_6_Matrix_Vector_Activa* grp_Matrix_Vector_Activa_fu_56; StreamingFCLayer_Batch_6_regslice_both<8>* regslice_both_in0_V_V_U; StreamingFCLayer_Batch_6_regslice_both<8>* regslice_both_weights_V_V_U; StreamingFCLayer_Batch_6_regslice_both<8>* regslice_both_out_V_V_U; sc_signal< sc_logic > ap_rst_n_inv; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_ap_start; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_ap_done; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_ap_idle; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_ap_ready; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_in_V_V_TREADY; sc_signal< sc_lv<8> > grp_Matrix_Vector_Activa_fu_56_out_V_V_TDATA; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_out_V_V_TVALID; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_out_V_V_TREADY; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_weight_V_V_TREADY; sc_signal< sc_logic > grp_Matrix_Vector_Activa_fu_56_ap_start_reg; sc_signal< sc_lv<4> > ap_CS_fsm; sc_signal< sc_logic > ap_CS_fsm_state2; sc_signal< sc_logic > ap_CS_fsm_state3; sc_signal< sc_lv<4> > ap_NS_fsm; sc_signal< sc_logic > ap_CS_fsm_state4; sc_signal< sc_logic > regslice_both_out_V_V_U_apdone_blk; sc_signal< sc_logic > regslice_both_in0_V_V_U_apdone_blk; sc_signal< sc_lv<8> > in0_V_V_TDATA_int; sc_signal< sc_logic > in0_V_V_TVALID_int; sc_signal< sc_logic > in0_V_V_TREADY_int; sc_signal< sc_logic > regslice_both_in0_V_V_U_ack_in; sc_signal< sc_logic > regslice_both_weights_V_V_U_apdone_blk; sc_signal< sc_lv<8> > weights_V_V_TDATA_int; sc_signal< sc_logic > weights_V_V_TVALID_int; sc_signal< sc_logic > weights_V_V_TREADY_int; sc_signal< sc_logic > regslice_both_weights_V_V_U_ack_in; sc_signal< sc_logic > out_V_V_TREADY_int; sc_signal< sc_logic > regslice_both_out_V_V_U_vld_out; static const sc_logic ap_const_logic_1; static const sc_logic ap_const_logic_0; static const sc_lv<4> ap_ST_fsm_state1; static const sc_lv<4> ap_ST_fsm_state2; static const sc_lv<4> ap_ST_fsm_state3; static const sc_lv<4> ap_ST_fsm_state4; static const sc_lv<32> ap_const_lv32_1; static const sc_lv<32> ap_const_lv32_2; static const sc_lv<32> ap_const_lv32_3; static const bool ap_const_boolean_1; // Thread declarations void thread_ap_clk_no_reset_(); void thread_ap_CS_fsm_state2(); void thread_ap_CS_fsm_state3(); void thread_ap_CS_fsm_state4(); void thread_ap_rst_n_inv(); void thread_grp_Matrix_Vector_Activa_fu_56_ap_start(); void thread_grp_Matrix_Vector_Activa_fu_56_out_V_V_TREADY(); void thread_in0_V_V_TREADY(); void thread_in0_V_V_TREADY_int(); void thread_out_V_V_TVALID(); void thread_weights_V_V_TREADY(); void thread_weights_V_V_TREADY_int(); void thread_ap_NS_fsm(); void thread_hdltv_gen(); }; } using namespace ap_rtl; #endif
[ "petar.greksic@gmail.com" ]
petar.greksic@gmail.com
34a8c85567799e8f7750af9e4f08def3490edfee
b71b8bd385c207dffda39d96c7bee5f2ccce946c
/testcases/CWE789_Uncontrolled_Mem_Alloc/s02/CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_connect_socket_03.cpp
9a2fbb5a48ef75bdafd432494f39e4d114973d95
[]
no_license
Sporknugget/Juliet_prep
e9bda84a30bdc7938bafe338b4ab2e361449eda5
97d8922244d3d79b62496ede4636199837e8b971
refs/heads/master
2023-05-05T14:41:30.243718
2021-05-25T16:18:13
2021-05-25T16:18:13
369,334,230
0
0
null
null
null
null
UTF-8
C++
false
false
13,278
cpp
/* TEMPLATE GENERATED TESTCASE FILE Filename: CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_connect_socket_03.cpp Label Definition File: CWE789_Uncontrolled_Mem_Alloc__new.label.xml Template File: sources-sinks-03.tmpl.cpp */ /* * @description * CWE: 789 Uncontrolled Memory Allocation * BadSource: connect_socket Read data using a connect socket (client side) * 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: 03 Control flow: if(5==5) and if(5!=5) * * */ #include "std_testcase.h" #ifndef _WIN32 #include <wchar.h> #endif #ifdef _WIN32 #include <winsock2.h> #include <windows.h> #include <direct.h> #pragma comment(lib, "ws2_32") /* include ws2_32.lib when linking */ #define CLOSE_SOCKET closesocket #else /* NOT _WIN32 */ #include <sys/types.h> #include <sys/socket.h> #include <netinet/in.h> #include <arpa/inet.h> #include <unistd.h> #define INVALID_SOCKET -1 #define SOCKET_ERROR -1 #define CLOSE_SOCKET close #define SOCKET int #endif #define TCP_PORT 27015 #define IP_ADDRESS "127.0.0.1" #define CHAR_ARRAY_SIZE (3 * sizeof(data) + 2) #define HELLO_STRING L"hello" namespace CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_connect_socket_03 { #ifndef OMITBAD void bad() { size_t data; /* Initialize data */ data = 0; { { #ifdef _WIN32 WSADATA wsaData; int wsaDataInit = 0; #endif int recvResult; struct sockaddr_in service; SOCKET connectSocket = INVALID_SOCKET; char inputBuffer[CHAR_ARRAY_SIZE]; do { #ifdef _WIN32 if (WSAStartup(MAKEWORD(2,2), &wsaData) != NO_ERROR) { break; } wsaDataInit = 1; #endif /* POTENTIAL FLAW: Read data using a connect socket */ connectSocket = socket(AF_INET, SOCK_STREAM, IPPROTO_TCP); if (connectSocket == INVALID_SOCKET) { break; } memset(&service, 0, sizeof(service)); service.sin_family = AF_INET; service.sin_addr.s_addr = inet_addr(IP_ADDRESS); service.sin_port = htons(TCP_PORT); if (connect(connectSocket, (struct sockaddr*)&service, sizeof(service)) == SOCKET_ERROR) { break; } /* Abort on error or the connection was closed, make sure to recv one * less char than is in the recv_buf in order to append a terminator */ recvResult = recv(connectSocket, inputBuffer, CHAR_ARRAY_SIZE - 1, 0); if (recvResult == SOCKET_ERROR || recvResult == 0) { break; } /* NUL-terminate the string */ inputBuffer[recvResult] = '\0'; /* Convert to unsigned int */ data = strtoul(inputBuffer, NULL, 0); } while (0); if (connectSocket != INVALID_SOCKET) { CLOSE_SOCKET(connectSocket); } #ifdef _WIN32 if (wsaDataInit) { WSACleanup(); } #endif } } { { wchar_t * myString; /* POTENTIAL FLAW: No MAXIMUM limitation for memory allocation, but ensure data is large enough * for the wcscpy() function to not cause a buffer overflow */ /* INCIDENTAL FLAW: The source could cause a type overrun in data or in the memory allocation */ if (data > wcslen(HELLO_STRING)) { myString = new wchar_t[data]; /* Copy a small string into myString */ wcscpy(myString, HELLO_STRING); printWLine(myString); delete [] myString; } else { printLine("Input is less than the length of the source string"); } } } } #endif /* OMITBAD */ #ifndef OMITGOOD /* goodB2G1() - use badsource and goodsink by changing the second 5==5 to 5!=5 */ static void goodB2G1() { size_t data; /* Initialize data */ data = 0; { { #ifdef _WIN32 WSADATA wsaData; int wsaDataInit = 0; #endif int recvResult; struct sockaddr_in service; SOCKET connectSocket = INVALID_SOCKET; char inputBuffer[CHAR_ARRAY_SIZE]; do { #ifdef _WIN32 if (WSAStartup(MAKEWORD(2,2), &wsaData) != NO_ERROR) { break; } wsaDataInit = 1; #endif /* POTENTIAL FLAW: Read data using a connect socket */ connectSocket = socket(AF_INET, SOCK_STREAM, IPPROTO_TCP); if (connectSocket == INVALID_SOCKET) { break; } memset(&service, 0, sizeof(service)); service.sin_family = AF_INET; service.sin_addr.s_addr = inet_addr(IP_ADDRESS); service.sin_port = htons(TCP_PORT); if (connect(connectSocket, (struct sockaddr*)&service, sizeof(service)) == SOCKET_ERROR) { break; } /* Abort on error or the connection was closed, make sure to recv one * less char than is in the recv_buf in order to append a terminator */ recvResult = recv(connectSocket, inputBuffer, CHAR_ARRAY_SIZE - 1, 0); if (recvResult == SOCKET_ERROR || recvResult == 0) { break; } /* NUL-terminate the string */ inputBuffer[recvResult] = '\0'; /* Convert to unsigned int */ data = strtoul(inputBuffer, NULL, 0); } while (0); if (connectSocket != INVALID_SOCKET) { CLOSE_SOCKET(connectSocket); } #ifdef _WIN32 if (wsaDataInit) { WSACleanup(); } #endif } } { { wchar_t * myString; /* FIX: Include a MAXIMUM limitation for memory allocation and a check to ensure data is large enough * for the wcscpy() function to not cause a buffer overflow */ /* INCIDENTAL FLAW: The source could cause a type overrun in data or in the memory allocation */ if (data > wcslen(HELLO_STRING) && data < 100) { myString = new wchar_t[data]; /* Copy a small string into myString */ wcscpy(myString, HELLO_STRING); printWLine(myString); delete [] myString; } else { printLine("Input is less than the length of the source string or too large"); } } } } /* goodB2G2() - use badsource and goodsink by reversing the blocks in the second if */ static void goodB2G2() { size_t data; /* Initialize data */ data = 0; { { #ifdef _WIN32 WSADATA wsaData; int wsaDataInit = 0; #endif int recvResult; struct sockaddr_in service; SOCKET connectSocket = INVALID_SOCKET; char inputBuffer[CHAR_ARRAY_SIZE]; do { #ifdef _WIN32 if (WSAStartup(MAKEWORD(2,2), &wsaData) != NO_ERROR) { break; } wsaDataInit = 1; #endif /* POTENTIAL FLAW: Read data using a connect socket */ connectSocket = socket(AF_INET, SOCK_STREAM, IPPROTO_TCP); if (connectSocket == INVALID_SOCKET) { break; } memset(&service, 0, sizeof(service)); service.sin_family = AF_INET; service.sin_addr.s_addr = inet_addr(IP_ADDRESS); service.sin_port = htons(TCP_PORT); if (connect(connectSocket, (struct sockaddr*)&service, sizeof(service)) == SOCKET_ERROR) { break; } /* Abort on error or the connection was closed, make sure to recv one * less char than is in the recv_buf in order to append a terminator */ recvResult = recv(connectSocket, inputBuffer, CHAR_ARRAY_SIZE - 1, 0); if (recvResult == SOCKET_ERROR || recvResult == 0) { break; } /* NUL-terminate the string */ inputBuffer[recvResult] = '\0'; /* Convert to unsigned int */ data = strtoul(inputBuffer, NULL, 0); } while (0); if (connectSocket != INVALID_SOCKET) { CLOSE_SOCKET(connectSocket); } #ifdef _WIN32 if (wsaDataInit) { WSACleanup(); } #endif } } { { wchar_t * myString; /* FIX: Include a MAXIMUM limitation for memory allocation and a check to ensure data is large enough * for the wcscpy() function to not cause a buffer overflow */ /* INCIDENTAL FLAW: The source could cause a type overrun in data or in the memory allocation */ if (data > wcslen(HELLO_STRING) && data < 100) { myString = new wchar_t[data]; /* Copy a small string into myString */ wcscpy(myString, HELLO_STRING); printWLine(myString); delete [] myString; } else { printLine("Input is less than the length of the source string or too large"); } } } } /* goodG2B1() - use goodsource and badsink by changing the first 5==5 to 5!=5 */ static void goodG2B1() { size_t data; /* Initialize data */ data = 0; { /* FIX: Use a relatively small number for memory allocation */ data = 20; } { { wchar_t * myString; /* POTENTIAL FLAW: No MAXIMUM limitation for memory allocation, but ensure data is large enough * for the wcscpy() function to not cause a buffer overflow */ /* INCIDENTAL FLAW: The source could cause a type overrun in data or in the memory allocation */ if (data > wcslen(HELLO_STRING)) { myString = new wchar_t[data]; /* Copy a small string into myString */ wcscpy(myString, HELLO_STRING); printWLine(myString); delete [] myString; } else { printLine("Input is less than the length of the source string"); } } } } /* goodG2B2() - use goodsource and badsink by reversing the blocks in the first if */ static void goodG2B2() { size_t data; /* Initialize data */ data = 0; { /* FIX: Use a relatively small number for memory allocation */ data = 20; } { { wchar_t * myString; /* POTENTIAL FLAW: No MAXIMUM limitation for memory allocation, but ensure data is large enough * for the wcscpy() function to not cause a buffer overflow */ /* INCIDENTAL FLAW: The source could cause a type overrun in data or in the memory allocation */ if (data > wcslen(HELLO_STRING)) { myString = new wchar_t[data]; /* Copy a small string into myString */ wcscpy(myString, HELLO_STRING); printWLine(myString); delete [] myString; } else { printLine("Input is less than the length of the source string"); } } } } void good() { goodB2G1(); goodB2G2(); goodG2B1(); goodG2B2(); } #endif /* OMITGOOD */ } /* close namespace */ /* Below is the main(). It is only used when building this testcase on its own for testing or for building a binary to use in testing binary analysis tools. It is not used when compiling all the testcases as one application, which is how source code analysis tools are tested. */ #ifdef INCLUDEMAIN using namespace CWE789_Uncontrolled_Mem_Alloc__new_wchar_t_connect_socket_03; /* so that we can use good and bad easily */ int main(int argc, char * argv[]) { /* seed randomness */ srand( (unsigned)time(NULL) ); #ifndef OMITGOOD printLine("Calling good()..."); good(); printLine("Finished good()"); #endif /* OMITGOOD */ #ifndef OMITBAD printLine("Calling bad()..."); bad(); printLine("Finished bad()"); #endif /* OMITBAD */ return 0; } #endif
[ "jaredzap@rams.colostate.edu" ]
jaredzap@rams.colostate.edu
23a687e26e2b5e7ff6c4cc9285d466cadffecfa8
54a144d3e9d0239aaca987dfcf6189afa3143975
/poj/1002.cpp
bc7dd39010dc4a2eb60782e3fed61c38038f7b92
[]
no_license
kurisusnowdeng/poj
e8b2bba532c3162be4e2f8db55b9fdb016238107
7503b0e9d007e5c58968a00740d612a54c837265
refs/heads/master
2021-01-17T10:58:45.206546
2016-12-14T15:10:35
2016-12-14T15:10:35
49,054,200
0
0
null
null
null
null
UTF-8
C++
false
false
3,297
cpp
#include <iostream> #include <string> using namespace std; typedef struct node { node *left, *right, *parent; int val, cnt; }; node *root; int total; const int convert[26] = { 2,2,2,3,3,3,4,4,4,5,5,5,6,6,6,7,-1,7,7,8,8,8,9,9,9,-1 }; int left_rotate(node *x) { node *y = x->right; if (y != NULL) { x->right = y->left; if (y->left != NULL) { y->left->parent = x; } y->parent = x->parent; } if (x->parent == NULL) { root = y; } else if (x->parent->left == x) { x->parent->left = y; } else { x->parent->right = y; } if (y != NULL) { y->left = x; } x->parent = y; return 0; } int right_rotate(node *x) { node *y = x->left; if (y != NULL) { x->left = y->right; if (y->right != NULL) { y->right->parent = x; } y->parent = x->parent; } if (x->parent == NULL) { root = y; } else if (x->parent->left == x) { x->parent->left = y; } else { x->parent->right = y; } if (y != NULL) { y->right = x; } x->parent = y; return 0; } int splay(node *x) { while (x->parent != NULL) { if (x->parent->parent == NULL) { if (x->parent->left == x) { right_rotate(x->parent); } else { left_rotate(x->parent); } } else if (x->parent->left == x && x->parent->parent->left == x->parent) { right_rotate(x->parent->parent); right_rotate(x->parent); } else if (x->parent->right == x && x->parent->parent->right == x->parent) { left_rotate(x->parent->parent); left_rotate(x->parent); } else if (x->parent->left == x && x->parent->parent->right == x->parent) { right_rotate(x->parent); left_rotate(x->parent); } else if (x->parent->right == x && x->parent->parent->left == x->parent) { left_rotate(x->parent); right_rotate(x->parent); } } return 0; } int insert(int key) { node *x = root; node *p = NULL; while (x != NULL) { p = x; if (key == x->val) { x->cnt++; return 0; } else if (key < x->val) { x = x->left; } else { x = x->right; } } x = new node; x->left = NULL; x->right = NULL; x->parent = p; x->val = key; x->cnt = 1; if (p == NULL) { root = x; } else if (key < p->val) { p->left = x; } else { p->right = x; } splay(x); return 0; } int getPhoneNum(int a) { cout << a / 1000000; a = a % 1000000; cout << a / 100000; a = a % 100000; cout << a / 10000; a = a % 10000; cout << "-"; cout << a / 1000; a = a % 1000; cout << a / 100; a = a % 100; cout << a / 10; a = a % 10; cout << a; return 0; } int print(node *x) { if (x == NULL) return 0; if (x->left != NULL) print(x->left); if (x->cnt > 1) { getPhoneNum(x->val); cout << " " << x->cnt << endl; total++; } if (x->right != NULL) print(x->right); return 0; } int main() { root = NULL; int n, key; string s; bool error; cin >> n; for (int i = 0; i < n; i++) { error = true; cin >> s; key = 0; for (int j = 0; j < s.length(); j++) { if (s[j] >= '0' && s[j] <= '9') { key = key * 10 + s[j] - 48; } else if (s[j] >= 'A' && s[j] <= 'Y' && s[j] != 'Q') { key = key * 10 + convert[s[j] - 65]; } else if (s[j] == '-' || s[j] == ' ') { continue; } else { error = false; break; } } if (error) insert(key); } total = 0; print(root); if (total == 0) { cout << "No duplicates. " << endl; } return 0; }
[ "b_aquarius@163.com" ]
b_aquarius@163.com
bcb4b019f389c1145c62bfd19497278860d8cb28
ca0a54eae197204e71d44068f0cc8b328490c8df
/src/coreinfo.cpp
1246bf98511b4ae54114468cdb2eb8e185d03e3d
[ "MIT", "LGPL-2.1-only", "MPL-1.1", "LicenseRef-scancode-mame", "GPL-1.0-or-later", "Zlib", "GPL-2.0-only", "LGPL-2.1-or-later", "MPL-2.0", "CC-PDDC", "LicenseRef-scancode-public-domain", "LicenseRef-scancode-proprietary-license", "LicenseRef-scancode-brian-gladman-3-clause", "BSD-3-Clause"...
permissive
Thiele/retro
a5cf6b28839b9817c83f1aa4a199a4302c6dd51d
39fca9c4e5e008802fd18f406e9b837a4e32194a
refs/heads/master
2020-04-15T19:07:44.826064
2019-02-07T21:24:08
2019-02-07T21:24:08
164,939,185
0
0
MIT
2019-01-09T21:15:24
2019-01-09T21:15:23
null
UTF-8
C++
false
false
3,201
cpp
#include "json.hpp" #include "coreinfo.h" #include "data.h" #include "utils.h" using namespace std; using nlohmann::json; namespace Retro { static string s_coreDirectory; static unordered_map<string, string> s_extensionToCore; static unordered_map<string, string> s_coreToLib; static json s_cores; string corePath(const string& hint) { if (s_coreDirectory.size()) { return s_coreDirectory; } const char* envDir = getenv("RETRO_CORE_PATH"); if (envDir) { s_coreDirectory = envDir; } else if (hint.size()) { s_coreDirectory = drillUp({ "cores" }, ".", hint); } else { s_coreDirectory = "."; } return s_coreDirectory; } string libForCore(const string& core) { return s_coreToLib[core]; } string coreForRom(const string& rom) { size_t dot = rom.find_last_of('.'); if (dot == string::npos) { return {}; } string extName = rom.substr(dot + 1); if (s_extensionToCore.find(extName) == s_extensionToCore.end()) { return {}; } return s_extensionToCore[extName]; } vector<string> buttons(const string& core) { vector<string> results; for (const auto& button : s_cores[core]["buttons"]) { if (!button.is_string()) { results.emplace_back(); continue; } results.emplace_back(static_cast<const string&>(button)); } return results; } vector<string> keybinds(const string& core) { vector<string> results; for (const auto& button : s_cores[core]["keybinds"]) { if (!button.is_string()) { results.emplace_back(); continue; } results.emplace_back(static_cast<const string&>(button)); } return results; } size_t ramBase(const string& core) { return s_cores[core].value("rambase", 0); } void configureData(GameData* data, const string& core) { if (s_cores[core].find("types") != s_cores[core].end()) { vector<Retro::DataType> typesVec; for (const string& type : s_cores[core]["types"]) { typesVec.emplace_back(type); } data->setTypes(typesVec); } if (s_cores[core].find("overlay") != s_cores[core].end()) { const auto& overlay = s_cores[core]["overlay"]; data->addressSpace().setOverlay(Retro::MemoryOverlay{ static_cast<char>(static_cast<const string&>(overlay[0])[0]), static_cast<char>(static_cast<const string&>(overlay[1])[0]), static_cast<size_t>(overlay[2]) }); } data->setButtons(Retro::buttons(core)); if (s_cores[core].find("actions") != s_cores[core].end()) { data->setActions(static_cast<const vector<vector<vector<string>>>&>(s_cores[core]["actions"])); } } bool loadCoreInfo(const string& jsonData) { json coreInfo; istringstream jsonStream(jsonData); try { jsonStream >> coreInfo; s_cores.update(coreInfo); } catch (json::exception&) { return false; } for (auto core = coreInfo.cbegin(); core != coreInfo.cend(); ++core) { for (auto ext = core->at("ext").cbegin(); ext != core->at("ext").cend(); ++ext) { s_extensionToCore[*ext] = core.key(); } s_coreToLib[core.key()] = core->at("lib"); } return true; } vector<string> cores() { vector<string> c; for (const auto& core : s_coreToLib) { c.emplace_back(core.first); } return c; } vector<string> extensions() { vector<string> e; for (const auto& ext : s_extensionToCore) { e.emplace_back(ext.first); } return e; } }
[ "vickipfau@openai.com" ]
vickipfau@openai.com
50aa51ca8a33be7086dc7f13b15d4c91391e1147
608b249279904f6370fa2f04c407606215b0648b
/python/caffe/_caffe.cpp
c8eaa874e7a4fc89b38234aae29080fd278ca947
[ "LicenseRef-scancode-generic-cla", "BSD-2-Clause", "BSD-3-Clause", "LicenseRef-scancode-public-domain" ]
permissive
jenniew/IntelCaffeRelease
b523709f7c030091411b115eb28a41e700b806f1
4332232926d82f98c26c522dd7c15987678f3234
refs/heads/master
2021-01-11T04:19:55.640111
2016-10-17T20:16:27
2016-10-17T20:16:27
71,177,252
1
0
null
null
null
null
UTF-8
C++
false
false
16,893
cpp
#include <Python.h> // NOLINT(build/include_alpha) // Produce deprecation warnings (needs to come before arrayobject.h inclusion). #define NPY_NO_DEPRECATED_API NPY_1_7_API_VERSION #include <boost/make_shared.hpp> #include <boost/python.hpp> #include <boost/python/raw_function.hpp> #include <boost/python/suite/indexing/vector_indexing_suite.hpp> #include <numpy/arrayobject.h> // these need to be included after boost on OS X #include <string> // NOLINT(build/include_order) #include <vector> // NOLINT(build/include_order) #include <fstream> // NOLINT #include "caffe/caffe.hpp" #include "caffe/layers/memory_data_layer.hpp" #include "caffe/layers/python_layer.hpp" #include "caffe/sgd_solvers.hpp" // Temporary solution for numpy < 1.7 versions: old macro, no promises. // You're strongly advised to upgrade to >= 1.7. #ifndef NPY_ARRAY_C_CONTIGUOUS #define NPY_ARRAY_C_CONTIGUOUS NPY_C_CONTIGUOUS #define PyArray_SetBaseObject(arr, x) (PyArray_BASE(arr) = (x)) #endif /* Fix to avoid registration warnings in pycaffe (#3960) */ #define BP_REGISTER_SHARED_PTR_TO_PYTHON(PTR) do { \ const boost::python::type_info info = \ boost::python::type_id<shared_ptr<PTR > >(); \ const boost::python::converter::registration* reg = \ boost::python::converter::registry::query(info); \ if (reg == NULL) { \ bp::register_ptr_to_python<shared_ptr<PTR > >(); \ } else if ((*reg).m_to_python == NULL) { \ bp::register_ptr_to_python<shared_ptr<PTR > >(); \ } \ } while (0) namespace bp = boost::python; namespace caffe { // For Python, for now, we'll just always use float as the type. typedef float Dtype; const int NPY_DTYPE = NPY_FLOAT32; // Selecting mode. void set_mode_cpu() { Caffe::set_mode(Caffe::CPU); } void set_mode_gpu() { Caffe::set_mode(Caffe::GPU); } void set_random_seed(unsigned int seed) { Caffe::set_random_seed(seed); } // For convenience, check that input files can be opened, and raise an // exception that boost will send to Python if not (caffe could still crash // later if the input files are disturbed before they are actually used, but // this saves frustration in most cases). static void CheckFile(const string& filename) { std::ifstream f(filename.c_str()); if (!f.good()) { f.close(); throw std::runtime_error("Could not open file " + filename); } f.close(); } void CheckContiguousArray(PyArrayObject* arr, string name, int channels, int height, int width) { if (!(PyArray_FLAGS(arr) & NPY_ARRAY_C_CONTIGUOUS)) { throw std::runtime_error(name + " must be C contiguous"); } if (PyArray_NDIM(arr) != 4) { throw std::runtime_error(name + " must be 4-d"); } if (PyArray_TYPE(arr) != NPY_FLOAT32) { throw std::runtime_error(name + " must be float32"); } if (PyArray_DIMS(arr)[1] != channels) { throw std::runtime_error(name + " has wrong number of channels"); } if (PyArray_DIMS(arr)[2] != height) { throw std::runtime_error(name + " has wrong height"); } if (PyArray_DIMS(arr)[3] != width) { throw std::runtime_error(name + " has wrong width"); } } // Net constructor shared_ptr<Net<Dtype> > Net_Init(string network_file, int phase, const int level, const bp::object& stages, const bp::object& weights) { CheckFile(network_file); // Convert stages from list to vector vector<string> stages_vector; if (!stages.is_none()) { for (int i = 0; i < len(stages); i++) { stages_vector.push_back(bp::extract<string>(stages[i])); } } // Initialize net shared_ptr<Net<Dtype> > net(new Net<Dtype>(network_file, static_cast<Phase>(phase), level, &stages_vector)); // Load weights if (!weights.is_none()) { std::string weights_file_str = bp::extract<std::string>(weights); CheckFile(weights_file_str); net->CopyTrainedLayersFrom(weights_file_str); } return net; } // Legacy Net construct-and-load convenience constructor shared_ptr<Net<Dtype> > Net_Init_Load( string param_file, string pretrained_param_file, int phase) { LOG(WARNING) << "DEPRECATION WARNING - deprecated use of Python interface"; LOG(WARNING) << "Use this instead (with the named \"weights\"" << " parameter):"; LOG(WARNING) << "Net('" << param_file << "', " << phase << ", weights='" << pretrained_param_file << "')"; CheckFile(param_file); CheckFile(pretrained_param_file); shared_ptr<Net<Dtype> > net(new Net<Dtype>(param_file, static_cast<Phase>(phase))); net->CopyTrainedLayersFrom(pretrained_param_file); return net; } void Net_Save(const Net<Dtype>& net, string filename) { NetParameter net_param; net.ToProto(&net_param, false); WriteProtoToBinaryFile(net_param, filename.c_str()); } void Net_SaveHDF5(const Net<Dtype>& net, string filename) { net.ToHDF5(filename); } void Net_LoadHDF5(Net<Dtype>* net, string filename) { net->CopyTrainedLayersFromHDF5(filename.c_str()); } void Net_SetInputArrays(Net<Dtype>* net, bp::object data_obj, bp::object labels_obj) { // check that this network has an input MemoryDataLayer shared_ptr<MemoryDataLayer<Dtype> > md_layer = boost::dynamic_pointer_cast<MemoryDataLayer<Dtype> >(net->layers()[0]); if (!md_layer) { throw std::runtime_error("set_input_arrays may only be called if the" " first layer is a MemoryDataLayer"); } // check that we were passed appropriately-sized contiguous memory PyArrayObject* data_arr = reinterpret_cast<PyArrayObject*>(data_obj.ptr()); PyArrayObject* labels_arr = reinterpret_cast<PyArrayObject*>(labels_obj.ptr()); CheckContiguousArray(data_arr, "data array", md_layer->channels(), md_layer->height(), md_layer->width()); CheckContiguousArray(labels_arr, "labels array", 1, 1, 1); if (PyArray_DIMS(data_arr)[0] != PyArray_DIMS(labels_arr)[0]) { throw std::runtime_error("data and labels must have the same first" " dimension"); } if (PyArray_DIMS(data_arr)[0] % md_layer->batch_size() != 0) { throw std::runtime_error("first dimensions of input arrays must be a" " multiple of batch size"); } md_layer->Reset(static_cast<Dtype*>(PyArray_DATA(data_arr)), static_cast<Dtype*>(PyArray_DATA(labels_arr)), PyArray_DIMS(data_arr)[0]); } Solver<Dtype>* GetSolverFromFile(const string& filename) { SolverParameter param; ReadSolverParamsFromTextFileOrDie(filename, &param); return SolverRegistry<Dtype>::CreateSolver(param); } struct NdarrayConverterGenerator { template <typename T> struct apply; }; template <> struct NdarrayConverterGenerator::apply<Dtype*> { struct type { PyObject* operator() (Dtype* data) const { // Just store the data pointer, and add the shape information in postcall. return PyArray_SimpleNewFromData(0, NULL, NPY_DTYPE, data); } const PyTypeObject* get_pytype() { return &PyArray_Type; } }; }; struct NdarrayCallPolicies : public bp::default_call_policies { typedef NdarrayConverterGenerator result_converter; PyObject* postcall(PyObject* pyargs, PyObject* result) { bp::object pyblob = bp::extract<bp::tuple>(pyargs)()[0]; shared_ptr<Blob<Dtype> > blob = bp::extract<shared_ptr<Blob<Dtype> > >(pyblob); // Free the temporary pointer-holding array, and construct a new one with // the shape information from the blob. void* data = PyArray_DATA(reinterpret_cast<PyArrayObject*>(result)); Py_DECREF(result); const int num_axes = blob->num_axes(); vector<npy_intp> dims(blob->shape().begin(), blob->shape().end()); PyObject *arr_obj = PyArray_SimpleNewFromData(num_axes, dims.data(), NPY_FLOAT32, data); // SetBaseObject steals a ref, so we need to INCREF. Py_INCREF(pyblob.ptr()); PyArray_SetBaseObject(reinterpret_cast<PyArrayObject*>(arr_obj), pyblob.ptr()); return arr_obj; } }; bp::object Blob_Reshape(bp::tuple args, bp::dict kwargs) { if (bp::len(kwargs) > 0) { throw std::runtime_error("Blob.reshape takes no kwargs"); } Blob<Dtype>* self = bp::extract<Blob<Dtype>*>(args[0]); vector<int> shape(bp::len(args) - 1); for (int i = 1; i < bp::len(args); ++i) { shape[i - 1] = bp::extract<int>(args[i]); } self->Reshape(shape); // We need to explicitly return None to use bp::raw_function. return bp::object(); } bp::object BlobVec_add_blob(bp::tuple args, bp::dict kwargs) { if (bp::len(kwargs) > 0) { throw std::runtime_error("BlobVec.add_blob takes no kwargs"); } typedef vector<shared_ptr<Blob<Dtype> > > BlobVec; BlobVec* self = bp::extract<BlobVec*>(args[0]); vector<int> shape(bp::len(args) - 1); for (int i = 1; i < bp::len(args); ++i) { shape[i - 1] = bp::extract<int>(args[i]); } self->push_back(shared_ptr<Blob<Dtype> >(new Blob<Dtype>(shape))); // We need to explicitly return None to use bp::raw_function. return bp::object(); } template<typename Dtype> class PythonCallback: public Solver<Dtype>::Callback { protected: bp::object on_start_, on_gradients_ready_; public: PythonCallback(bp::object on_start, bp::object on_gradients_ready) : on_start_(on_start), on_gradients_ready_(on_gradients_ready) { } virtual void on_gradients_ready() { on_gradients_ready_(); } virtual void on_start() { on_start_(); } }; template<typename Dtype> void Solver_add_callback(Solver<Dtype> * solver, bp::object on_start, bp::object on_gradients_ready) { solver->add_callback(new PythonCallback<Dtype>(on_start, on_gradients_ready)); } BOOST_PYTHON_MEMBER_FUNCTION_OVERLOADS(SolveOverloads, Solve, 0, 1); BOOST_PYTHON_MODULE(_caffe) { // below, we prepend an underscore to methods that will be replaced // in Python bp::scope().attr("__version__") = AS_STRING(CAFFE_VERSION); // Caffe utility functions bp::def("set_mode_cpu", &set_mode_cpu); bp::def("set_mode_gpu", &set_mode_gpu); bp::def("set_random_seed", &set_random_seed); bp::def("set_device", &Caffe::SetDevice); bp::def("layer_type_list", &LayerRegistry<Dtype>::LayerTypeList); bp::class_<Net<Dtype>, shared_ptr<Net<Dtype> >, boost::noncopyable >("Net", bp::no_init) // Constructor .def("__init__", bp::make_constructor(&Net_Init, bp::default_call_policies(), (bp::arg("network_file"), "phase", bp::arg("level")=0, bp::arg("stages")=bp::object(), bp::arg("weights")=bp::object()))) // Legacy constructor .def("__init__", bp::make_constructor(&Net_Init_Load)) .def("_forward", &Net<Dtype>::ForwardFromTo) .def("_backward", &Net<Dtype>::BackwardFromTo) .def("reshape", &Net<Dtype>::Reshape) .def("clear_param_diffs", static_cast<void (Net<Dtype>::*)(void)>( &Net<Dtype>::ClearParamDiffs)) // The cast is to select a particular overload. .def("copy_from", static_cast<void (Net<Dtype>::*)(const string)>( &Net<Dtype>::CopyTrainedLayersFrom)) .def("share_with", &Net<Dtype>::ShareTrainedLayersWith) .add_property("_blob_loss_weights", bp::make_function( &Net<Dtype>::blob_loss_weights, bp::return_internal_reference<>())) .def("_bottom_ids", bp::make_function(&Net<Dtype>::bottom_ids, bp::return_value_policy<bp::copy_const_reference>())) .def("_top_ids", bp::make_function(&Net<Dtype>::top_ids, bp::return_value_policy<bp::copy_const_reference>())) .add_property("_blobs", bp::make_function(&Net<Dtype>::blobs, bp::return_internal_reference<>())) .add_property("layers", bp::make_function(&Net<Dtype>::layers, bp::return_internal_reference<>())) .add_property("_blob_names", bp::make_function(&Net<Dtype>::blob_names, bp::return_value_policy<bp::copy_const_reference>())) .add_property("_layer_names", bp::make_function(&Net<Dtype>::layer_names, bp::return_value_policy<bp::copy_const_reference>())) .add_property("_inputs", bp::make_function(&Net<Dtype>::input_blob_indices, bp::return_value_policy<bp::copy_const_reference>())) .add_property("_outputs", bp::make_function(&Net<Dtype>::output_blob_indices, bp::return_value_policy<bp::copy_const_reference>())) .def("_set_input_arrays", &Net_SetInputArrays, bp::with_custodian_and_ward<1, 2, bp::with_custodian_and_ward<1, 3> >()) .def("save", &Net_Save) .def("save_hdf5", &Net_SaveHDF5) .def("load_hdf5", &Net_LoadHDF5); BP_REGISTER_SHARED_PTR_TO_PYTHON(Net<Dtype>); bp::class_<Blob<Dtype>, shared_ptr<Blob<Dtype> >, boost::noncopyable>( "Blob", bp::no_init) .add_property("shape", bp::make_function( static_cast<const vector<int>& (Blob<Dtype>::*)() const>( &Blob<Dtype>::shape), bp::return_value_policy<bp::copy_const_reference>())) .add_property("num", &Blob<Dtype>::num) .add_property("channels", &Blob<Dtype>::channels) .add_property("height", &Blob<Dtype>::height) .add_property("width", &Blob<Dtype>::width) .add_property("count", static_cast<int (Blob<Dtype>::*)() const>( &Blob<Dtype>::count)) .def("reshape", bp::raw_function(&Blob_Reshape)) .add_property("data", bp::make_function(&Blob<Dtype>::mutable_cpu_data, NdarrayCallPolicies())) .add_property("diff", bp::make_function(&Blob<Dtype>::mutable_cpu_diff, NdarrayCallPolicies())); BP_REGISTER_SHARED_PTR_TO_PYTHON(Blob<Dtype>); bp::class_<Layer<Dtype>, shared_ptr<PythonLayer<Dtype> >, boost::noncopyable>("Layer", bp::init<const LayerParameter&>()) .add_property("blobs", bp::make_function(&Layer<Dtype>::blobs, bp::return_internal_reference<>())) .def("setup", &Layer<Dtype>::LayerSetUp) .def("reshape", &Layer<Dtype>::Reshape) .add_property("type", bp::make_function(&Layer<Dtype>::type)); BP_REGISTER_SHARED_PTR_TO_PYTHON(Layer<Dtype>); bp::class_<LayerParameter>("LayerParameter", bp::no_init); bp::class_<Solver<Dtype>, shared_ptr<Solver<Dtype> >, boost::noncopyable>( "Solver", bp::no_init) .add_property("net", &Solver<Dtype>::net) .add_property("test_nets", bp::make_function(&Solver<Dtype>::test_nets, bp::return_internal_reference<>())) .add_property("iter", &Solver<Dtype>::iter) .def("add_callback", &Solver_add_callback<Dtype>) .def("solve", static_cast<void (Solver<Dtype>::*)(const char*)>( &Solver<Dtype>::Solve), SolveOverloads()) .def("step", &Solver<Dtype>::Step) .def("restore", &Solver<Dtype>::Restore) .def("snapshot", &Solver<Dtype>::Snapshot); BP_REGISTER_SHARED_PTR_TO_PYTHON(Solver<Dtype>); bp::class_<SGDSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<SGDSolver<Dtype> >, boost::noncopyable>( "SGDSolver", bp::init<string>()); bp::class_<NesterovSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<NesterovSolver<Dtype> >, boost::noncopyable>( "NesterovSolver", bp::init<string>()); bp::class_<AdaGradSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<AdaGradSolver<Dtype> >, boost::noncopyable>( "AdaGradSolver", bp::init<string>()); bp::class_<RMSPropSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<RMSPropSolver<Dtype> >, boost::noncopyable>( "RMSPropSolver", bp::init<string>()); bp::class_<AdaDeltaSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<AdaDeltaSolver<Dtype> >, boost::noncopyable>( "AdaDeltaSolver", bp::init<string>()); bp::class_<AdamSolver<Dtype>, bp::bases<Solver<Dtype> >, shared_ptr<AdamSolver<Dtype> >, boost::noncopyable>( "AdamSolver", bp::init<string>()); bp::def("get_solver", &GetSolverFromFile, bp::return_value_policy<bp::manage_new_object>()); // vector wrappers for all the vector types we use bp::class_<vector<shared_ptr<Blob<Dtype> > > >("BlobVec") .def(bp::vector_indexing_suite<vector<shared_ptr<Blob<Dtype> > >, true>()) .def("add_blob", bp::raw_function(&BlobVec_add_blob)); bp::class_<vector<Blob<Dtype>*> >("RawBlobVec") .def(bp::vector_indexing_suite<vector<Blob<Dtype>*>, true>()); bp::class_<vector<shared_ptr<Layer<Dtype> > > >("LayerVec") .def(bp::vector_indexing_suite<vector<shared_ptr<Layer<Dtype> > >, true>()); bp::class_<vector<string> >("StringVec") .def(bp::vector_indexing_suite<vector<string> >()); bp::class_<vector<int> >("IntVec") .def(bp::vector_indexing_suite<vector<int> >()); bp::class_<vector<Dtype> >("DtypeVec") .def(bp::vector_indexing_suite<vector<Dtype> >()); bp::class_<vector<shared_ptr<Net<Dtype> > > >("NetVec") .def(bp::vector_indexing_suite<vector<shared_ptr<Net<Dtype> > >, true>()); bp::class_<vector<bool> >("BoolVec") .def(bp::vector_indexing_suite<vector<bool> >()); // boost python expects a void (missing) return value, while import_array // returns NULL for python3. import_array1() forces a void return value. import_array1(); } } // namespace caffe
[ "jenniewang123@gmail.com" ]
jenniewang123@gmail.com
fbd806d6924ba3f8347f830542cb9c076afebe62
e46017b1e42f465aa95069694a9475716085b4fa
/Vishv_GE/Demo/01_PlayerEnemy/EmptyState.cpp
7808f47e0149d0310f4391677629eda969cb81f7
[ "MIT" ]
permissive
InFaNsO/Vishv_GameEngine
807817ea731e60dacccec2bab24e4445ea14d36d
e721afa899fb8715e52cdd67c2656ba6cce7ffed
refs/heads/master
2021-01-08T09:36:26.934144
2020-06-11T11:51:59
2020-06-11T11:51:59
241,986,587
1
0
null
null
null
null
UTF-8
C++
false
false
342
cpp
#include "EmptyState.h" #include "EnemyStates.h" void EmptyState::Update(Vishv::GameObject & agent, float deltaTime) { } void EmptyState::DebugUI(Vishv::GameObject & agent) { ImGui::Text("Empty State"); if (ImGui::Button("Start")) agent.GetComponent<Vishv::Components::AIStateMachine>()->ChangeState(ToString(EnemyStates::Wander)); }
[ "bhavilg101@gmail.com" ]
bhavilg101@gmail.com
2be7160e599d87226a7c5710d016475e40f69f76
db61066b1654a97666f9002eefd61d68e167edd7
/src/s2/util/gtl/hashtable_common.h
967fe597d9a7a81260f2bfaa130819cfe3fb4cdd
[ "Apache-2.0" ]
permissive
socmag/s2geometry
ad5fdf281f94f13ebd5e9e396fce088470a51cfc
0b4abcc31dba6bcff9d64b64669a75e2e0dcce88
refs/heads/master
2021-04-27T16:05:17.126177
2018-02-22T17:39:41
2018-02-22T17:39:41
122,480,938
0
0
Apache-2.0
2018-02-22T13:17:17
2018-02-22T13:17:17
null
UTF-8
C++
false
false
8,935
h
// Copyright 2010 Google Inc. 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. // // All rights reserved. // // Redistribution and use in source and binary forms, with or without // modification, are permitted provided that the following conditions are // met: // // * Redistributions of source code must retain the above copyright // notice, this list of conditions and the following disclaimer. // * Redistributions in binary form must reproduce the above // copyright notice, this list of conditions and the following disclaimer // in the documentation and/or other materials provided with the // distribution. // * Neither the name of Google Inc. nor the names of its // contributors may be used to endorse or promote products derived from // this software without specific prior written permission. // // THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS // "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT // LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR // A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT // OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, // SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT // LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, // DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY // THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT // (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE // OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. // --- #ifndef S2_UTIL_GTL_HASHTABLE_COMMON_H_ #define S2_UTIL_GTL_HASHTABLE_COMMON_H_ #include <cassert> #include <cstddef> #include <algorithm> #include <stdexcept> // For length_error // Settings contains parameters for growing and shrinking the table. // It also packages zero-size functor (ie. hasher). One invariant // enforced in enlarge_size() is that we never allow all slots // occupied. (This is unlikely to matter to users, because using // a load near 1 is slow and not recommended. It allows other code // to assume there is at least one empty bucket.) // // It does some munging of the hash value in cases where we think // (fear) the original hash function might not be very good. In // particular, the default hash of pointers is the identity hash, // so probably all the low bits are 0. We identify when we think // we're hashing a pointer, and chop off the low bits. Note this // isn't perfect: even when the key is a pointer, we can't tell // for sure that the hash is the identity hash. If it's not, this // is needless work (and possibly, though not likely, harmful). template<typename Key, typename HashFunc, typename SizeType, int HT_MIN_BUCKETS> class sh_hashtable_settings : public HashFunc { public: typedef Key key_type; typedef HashFunc hasher; typedef SizeType size_type; public: sh_hashtable_settings(const hasher& hf, const float ht_occupancy_flt, const float ht_empty_flt) : hasher(hf), enlarge_threshold_(0), shrink_threshold_(0), consider_shrink_(false), use_empty_(false), use_deleted_(false), num_ht_copies_(0) { set_enlarge_factor(ht_occupancy_flt); set_shrink_factor(ht_empty_flt); } template<class K> size_type hash(const K& v) const { // We munge the hash value when we don't trust hasher::operator(). It is // very important that we use hash_munger<Key> instead of hash_munger<K>. // Within a given hashtable, all hash values must be munged in the same way. return hash_munger<Key>::MungedHash(hasher::operator()(v)); } float enlarge_factor() const { return enlarge_factor_; } void set_enlarge_factor(float f) { enlarge_factor_ = f; } float shrink_factor() const { return shrink_factor_; } void set_shrink_factor(float f) { shrink_factor_ = f; } size_type enlarge_threshold() const { return enlarge_threshold_; } void set_enlarge_threshold(size_type t) { enlarge_threshold_ = t; } size_type shrink_threshold() const { return shrink_threshold_; } void set_shrink_threshold(size_type t) { shrink_threshold_ = t; } size_type enlarge_size(size_type x) const { return std::min<size_type>(x - 1, x * enlarge_factor_); } size_type shrink_size(size_type x) const { return static_cast<size_type>(x * shrink_factor_); } bool consider_shrink() const { return consider_shrink_; } void set_consider_shrink(bool t) { consider_shrink_ = t; } bool use_empty() const { return use_empty_; } void set_use_empty(bool t) { use_empty_ = t; } bool use_deleted() const { return use_deleted_; } void set_use_deleted(bool t) { use_deleted_ = t; } size_type num_ht_copies() const { return static_cast<size_type>(num_ht_copies_); } void inc_num_ht_copies() { ++num_ht_copies_; } // Reset the enlarge and shrink thresholds void reset_thresholds(size_type num_buckets) { set_enlarge_threshold(enlarge_size(num_buckets)); set_shrink_threshold(shrink_size(num_buckets)); // whatever caused us to reset already considered set_consider_shrink(false); } // Caller is resposible for calling reset_threshold right after // set_resizing_parameters. void set_resizing_parameters(float shrink, float grow) { assert(shrink >= 0.0); assert(grow <= 1.0); if (shrink > grow/2.0f) shrink = grow / 2.0f; // otherwise we thrash hashtable size set_shrink_factor(shrink); set_enlarge_factor(grow); } // This is the smallest size a hashtable can be without being too crowded. // If you like, you can give a min #buckets as well as a min #elts. // This is guaranteed to return a power of two. size_type min_buckets(size_type num_elts, size_type min_buckets_wanted) { float enlarge = enlarge_factor(); size_type sz = HT_MIN_BUCKETS; // min buckets allowed while ( sz < min_buckets_wanted || num_elts >= static_cast<size_type>(sz * enlarge) ) { // This just prevents overflowing size_type, since sz can exceed // max_size() here. if (static_cast<size_type>(sz * 2) < sz) { throw std::length_error("resize overflow"); // protect against overflow } sz *= 2; } return sz; } private: template<class HashKey> class hash_munger { public: static size_t MungedHash(size_t hash) { return hash; } }; // This matches when the hashtable key is a pointer. template<class HashKey> class hash_munger<HashKey*> { public: static size_t MungedHash(size_t hash) { // TODO(user): consider rotating instead: // static const int shift = (sizeof(void *) == 4) ? 2 : 3; // return (hash << (sizeof(hash) * 8) - shift)) | (hash >> shift); // This matters if we ever change sparse/dense_hash_* to compare // hashes before comparing actual values. It's speedy on x86. return hash / sizeof(void*); // get rid of known-0 bits } }; size_type enlarge_threshold_; // table.size() * enlarge_factor size_type shrink_threshold_; // table.size() * shrink_factor float enlarge_factor_; // how full before resize float shrink_factor_; // how empty before resize // consider_shrink=true if we should try to shrink before next insert bool consider_shrink_; bool use_empty_; // used only by densehashtable, not sparsehashtable bool use_deleted_; // false until delkey has been set // num_ht_copies is a counter incremented every Copy/Move unsigned int num_ht_copies_; }; // This traits class checks whether T::goog_is_transparent exists and names a // type. // // struct Foo { typedef void goog_is_transparent; }; // struct Bar {}; // static_assert(sh_is_transparent<Foo>::value, "Foo is transparent."); // staitc_assert(!sh_is_transparent<Bar>::value, "Bar is not transparent."); template<class T> struct sh_is_transparent { private: struct No { char x; }; struct Yes { No x[2]; }; template<class U> static Yes Test(typename U::goog_is_transparent*); template<class U> static No Test(...); public: enum { value = sizeof(Test<T>(nullptr)) == sizeof(Yes) }; }; #endif // S2_UTIL_GTL_HASHTABLE_COMMON_H_
[ "jmr@google.com" ]
jmr@google.com
3a002a61bdc4c300d45bdad3236d99a4c92780aa
ac0b9c85542e6d1ef59c5e9df4618ddf22223ae0
/kratos/.svn/pristine/3a/3a002a61bdc4c300d45bdad3236d99a4c92780aa.svn-base
13abe8de395c3c68bab17383dd4fa5873f44035e
[]
no_license
UPC-EnricBonet/trunk
30cb6fbd717c1e78d95ec66bc0f6df1a041b2b72
1cecfe201c8c9a1b87b2d87faf8e505b7b1f772d
refs/heads/master
2021-06-04T05:10:06.060945
2016-07-15T15:29:00
2016-07-15T15:29:00
33,677,051
3
0
null
null
null
null
UTF-8
C++
false
false
10,167
#include "two_step_werner_wengle_wall_condition.h" namespace Kratos { ///@name Specialized implementation for functions that depend on TDim ///@{ /** * @see TwoStepWernerWengleWallCondition::EquationIdVector */ template<> void TwoStepWernerWengleWallCondition<2, 2>::EquationIdVector( EquationIdVectorType& rResult, ProcessInfo& rCurrentProcessInfo) { if (rCurrentProcessInfo[FRACTIONAL_STEP] == 1) { const unsigned int NumNodes = 2; const unsigned int LocalSize = 4; unsigned int LocalIndex = 0; if (rResult.size() != LocalSize) rResult.resize(LocalSize, false); for (unsigned int iNode = 0; iNode < NumNodes; ++iNode) { rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof( VELOCITY_X).EquationId(); rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof( VELOCITY_Y).EquationId(); } } else if (this->Is(INTERFACE) && rCurrentProcessInfo[FRACTIONAL_STEP] == 5) { const SizeType NumNodes = 2; const SizeType LocalSize = 2; SizeType LocalIndex = 0; if (rResult.size() != LocalSize) rResult.resize(LocalSize, false); for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof(PRESSURE).EquationId(); } } else { rResult.resize(0, false); } } /** * @see TwoStepWernerWengleWallCondition::EquationIdVector */ template<> void TwoStepWernerWengleWallCondition<3, 3>::EquationIdVector( EquationIdVectorType& rResult, ProcessInfo& rCurrentProcessInfo) { if (rCurrentProcessInfo[FRACTIONAL_STEP] == 1) { const SizeType NumNodes = 3; const SizeType LocalSize = 9; unsigned int LocalIndex = 0; if (rResult.size() != LocalSize) rResult.resize(LocalSize, false); for (unsigned int iNode = 0; iNode < NumNodes; ++iNode) { rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof( VELOCITY_X).EquationId(); rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof( VELOCITY_Y).EquationId(); rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof( VELOCITY_Z).EquationId(); } } else if (this->Is(INTERFACE) && rCurrentProcessInfo[FRACTIONAL_STEP] == 5) { const SizeType NumNodes = 3; const SizeType LocalSize = 3; SizeType LocalIndex = 0; if (rResult.size() != LocalSize) rResult.resize(LocalSize, false); for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rResult[LocalIndex++] = this->GetGeometry()[iNode].GetDof(PRESSURE).EquationId(); } } else { rResult.resize(0, false); } } /** * @see TwoStepWernerWengleWallCondition::GetDofList */ template<> void TwoStepWernerWengleWallCondition<2, 2>::GetDofList( DofsVectorType& rConditionDofList, ProcessInfo& rCurrentProcessInfo) { if (rCurrentProcessInfo[FRACTIONAL_STEP] == 1) { const SizeType NumNodes = 2; const SizeType LocalSize = 4; if (rConditionDofList.size() != LocalSize) rConditionDofList.resize(LocalSize); SizeType LocalIndex = 0; for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(VELOCITY_X); rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(VELOCITY_Y); } } else if (this->Is(INTERFACE) && rCurrentProcessInfo[FRACTIONAL_STEP] == 5) { const SizeType NumNodes = 2; const SizeType LocalSize = 2; if (rConditionDofList.size() != LocalSize) rConditionDofList.resize(LocalSize); SizeType LocalIndex = 0; for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(PRESSURE); } } else { rConditionDofList.resize(0); } } /** * @see TwoStepWernerWengleWallCondition::GetDofList */ template<> void TwoStepWernerWengleWallCondition<3, 3>::GetDofList( DofsVectorType& rConditionDofList, ProcessInfo& rCurrentProcessInfo) { if (rCurrentProcessInfo[FRACTIONAL_STEP] == 1) { const SizeType NumNodes = 3; const SizeType LocalSize = 9; if (rConditionDofList.size() != LocalSize) rConditionDofList.resize(LocalSize); SizeType LocalIndex = 0; for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(VELOCITY_X); rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(VELOCITY_Y); rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(VELOCITY_Z); } } else if (this->Is(INTERFACE) && rCurrentProcessInfo[FRACTIONAL_STEP] == 5) { const SizeType NumNodes = 3; const SizeType LocalSize = 3; if (rConditionDofList.size() != LocalSize) rConditionDofList.resize(LocalSize); SizeType LocalIndex = 0; for (SizeType iNode = 0; iNode < NumNodes; ++iNode) { rConditionDofList[LocalIndex++] = this->GetGeometry()[iNode].pGetDof(PRESSURE); } } else { rConditionDofList.resize(0); } } /** * @see TwoStepWernerWengleWallCondition::CalculateWallParameters */ template<> void TwoStepWernerWengleWallCondition<2, 2>::CalculateWallParameters( double& rWallHeight, array_1d<double, 3>& rWallVel, double& rArea) { KRATOS_TRY; const double Small = 1.0e-12; double DetM, s, w1, Proj; array_1d<double, 3> Rhs; MatrixType M(2, 2), InvM(2, 2); ElementPointerType pElem = pGetElement(); const array_1d<double, 3>& Normal = this->GetValue(NORMAL); GeometryType& rElemGeom = pElem->GetGeometry(); const GeometriesArrayType& edges = rElemGeom.Edges(); const array_1d<double, 3>& center = this->GetGeometry().Center(); rWallHeight = 0.0; rArea = norm_2(Normal); for (SizeType i = 0; i < edges.size(); i++) { const GeometryType& rEdge = edges[i]; // rEdge[0] + w1*(rEdge[1] - rEdge[0]) = center - s*Normal M(0, 0) = rEdge[1].X() - rEdge[0].X(); M(1, 0) = rEdge[1].Y() - rEdge[0].Y(); M(0, 1) = Normal[0]; M(1, 1) = Normal[1]; if (fabs(MathUtils<double>::Det2(M)) < Small * pow(mMinEdgeLength, 2)) { continue; } Rhs = center - rEdge[0].Coordinates(); MathUtils<double>::InvertMatrix2(M, InvM, DetM); w1 = InvM(0, 0) * Rhs[0] + InvM(0, 1) * Rhs[1]; s = InvM(1, 0) * Rhs[0] + InvM(1, 1) * Rhs[1]; if (w1 >= -Small && w1 <= 1.0 + Small) // check if normal intersects this edge { // rWallHeight = ||s*Normal|| = |s| * ||Normal|| = |s| * rArea rWallHeight = fabs(s) * rArea; if (rWallHeight > Small * mMinEdgeLength) // don't count condition's face { const array_1d<double, 3> v0 = rEdge[0].FastGetSolutionStepValue(VELOCITY, 1) - rEdge[0].FastGetSolutionStepValue(MESH_VELOCITY, 1); const array_1d<double, 3> v1 = rEdge[1].FastGetSolutionStepValue(VELOCITY, 1) - rEdge[1].FastGetSolutionStepValue(MESH_VELOCITY, 1); rWallVel[0] = w1 * v1[0] + (1.0 - w1) * v0[0]; rWallVel[1] = w1 * v1[1] + (1.0 - w1) * v0[1]; rWallVel[2] = w1 * v1[2] + (1.0 - w1) * v0[2]; // make velocity tangent Proj = (rWallVel[0] * Normal[0] + rWallVel[1] * Normal[1] + rWallVel[2] * Normal[2]) / (rArea * rArea); rWallVel[0] -= Proj * Normal[0]; rWallVel[1] -= Proj * Normal[1]; rWallVel[2] -= Proj * Normal[2]; break; } } } KRATOS_CATCH(""); } /** * @see TwoStepWernerWengleWallCondition::CalculateWallParameters */ template<> void TwoStepWernerWengleWallCondition<3, 3>::CalculateWallParameters( double& rWallHeight, array_1d<double, 3>& rWallVel, double& rArea) { KRATOS_TRY; const double Small = 1.0e-12; double DetM, s, w1, w2, Proj; array_1d<double, 3> Rhs; MatrixType M(3, 3), InvM(3, 3); ElementPointerType pElem = pGetElement(); const array_1d<double, 3>& Normal = this->GetValue(NORMAL); const GeometriesArrayType& rElemFaces = pElem->GetGeometry().Faces(); const array_1d<double, 3>& center = this->GetGeometry().Center(); rWallHeight = 0.0; rArea = norm_2(Normal); for (SizeType i = 0; i < rElemFaces.size(); i++) { const GeometryType& rFace = rElemFaces[i]; // rFace[0] + w1*(rFace[1] - rFace[0]) + w2*(rFace[2] - rFace[0]) = center - s*Normal M(0, 0) = rFace[1].X() - rFace[0].X(); M(1, 0) = rFace[1].Y() - rFace[0].Y(); M(2, 0) = rFace[1].Z() - rFace[0].Z(); M(0, 1) = rFace[2].X() - rFace[0].X(); M(1, 1) = rFace[2].Y() - rFace[0].Y(); M(2, 1) = rFace[2].Z() - rFace[0].Z(); M(0, 2) = Normal[0]; M(1, 2) = Normal[1]; M(2, 2) = Normal[2]; if (fabs(MathUtils<double>::Det3(M)) < Small * pow(mMinEdgeLength, 4)) continue; Rhs = center - rFace[0].Coordinates(); MathUtils<double>::InvertMatrix3(M, InvM, DetM); w1 = InvM(0, 0) * Rhs[0] + InvM(0, 1) * Rhs[1] + InvM(0, 2) * Rhs[2]; w2 = InvM(1, 0) * Rhs[0] + InvM(1, 1) * Rhs[1] + InvM(1, 2) * Rhs[2]; s = InvM(2, 0) * Rhs[0] + InvM(2, 1) * Rhs[1] + InvM(2, 2) * Rhs[2]; if (w1 >= -Small && w2 >= -Small && (w1 + w2) <= 1. + Small) // check if normal intersects this face { // rWallHeight = ||s*Normal|| = |s| * ||Normal|| = |s| * rArea rWallHeight = 2.0 * fabs(s) * rArea; if (rWallHeight > Small * mMinEdgeLength) // don't count condition's face { const array_1d<double, 3> v0 = rFace[0].FastGetSolutionStepValue(VELOCITY, 1) - rFace[0].FastGetSolutionStepValue( MESH_VELOCITY, 1); const array_1d<double, 3> v1 = rFace[1].FastGetSolutionStepValue(VELOCITY, 1) - rFace[1].FastGetSolutionStepValue( MESH_VELOCITY, 1); const array_1d<double, 3> v2 = rFace[2].FastGetSolutionStepValue(VELOCITY, 1) - rFace[2].FastGetSolutionStepValue( MESH_VELOCITY, 1); rWallVel[0] = w1 * v1[0] + w2 * v2[0] + (1.0 - w1 - w2) * v0[0]; rWallVel[1] = w1 * v1[1] + w2 * v2[1] + (1.0 - w1 - w2) * v0[1]; rWallVel[2] = w1 * v1[2] + w2 * v2[2] + (1.0 - w1 - w2) * v0[2]; // make velocity tangent Proj = (rWallVel[0] * Normal[0] + rWallVel[1] * Normal[1] + rWallVel[2] * Normal[2]) / (rArea * rArea); rWallVel[0] -= Proj * Normal[0]; rWallVel[1] -= Proj * Normal[1]; rWallVel[2] -= Proj * Normal[2]; break; } } } KRATOS_CATCH(""); } } // namespace Kratos
[ "enriquebonetgil@hotmail.com" ]
enriquebonetgil@hotmail.com
09aa8ee0e89b7950894714b43c22640d40464b96
00ba1ae8e9e0ba90a6fb4dbdefdd56af3c0beb5f
/MISC PROGRAMS/Stack_Array.cpp
2dc159ea2bab018b2171a89b161d22229a615ae0
[]
no_license
gotibhai/Projects-and-Programs
98e91da2410cafcff2bfb8815646d70cd75cf991
4cbb4f3eba061fa2adf33819b25fba48d6704f52
refs/heads/master
2020-05-14T15:18:07.577251
2015-02-09T01:39:25
2015-02-09T01:39:25
29,871,910
0
0
null
null
null
null
UTF-8
C++
false
false
1,865
cpp
#include <iostream.h> #include <conio.h> #include <stdlib.h> using namespace std; class stack { public: int data[100]; int top; stack() { top=0; } void push() { if( top == 99 ) cout<<"Stack Overflow!\n"; else { top++; cout<<"Enter the value : "; cin>>data[top]; getch(); } } void pop() { if ( top == 0) {cout<<"Stack Underflow! \n"; getch();} else { cout<<data[top]<<" Deleted!\n"; top--; getch(); } } void display() { int temp=top; while( temp> 0 ) { cout<<data[temp]<<" "; temp--; } getch(); } }obj1; int main() { int k; do{ system("CLS"); cout<<"Choose your option : \n"; cout<<" 1.Push\n 2.Pop\n 3.Display\n 4.Exit\n "; cout<<"Ans : "; cin>>k; switch(k) { case 1: {obj1.push(); break;} case 2: {obj1.pop(); break;} case 3: {obj1.display(); break;} case 4: { getch(); exit(9); } default: {cout<<"Enter the correct option !\n"; break;} } } while (k != 4); { getch(); exit(9); } return 0; system("pause"); }
[ "abbott.pushkin@gmail.com" ]
abbott.pushkin@gmail.com
f2ccb55278ddbb15d7530f9011819e25e0cef68f
e0feac125fb92c3d1834f9c9c89baf4ab9428fc6
/photonics-service/private/pybindings/wrappers.h
ed53b21be29abcec0653e2a20feae614f904e6c5
[]
no_license
AlexHarn/bfrv1_icetray
e6b04d04694376488cec93bb4b2d649734ae8344
91f939afecf4a9297999b022cea807dea407abe9
refs/heads/master
2022-12-04T13:35:02.495569
2020-08-27T22:14:40
2020-08-27T22:14:40
275,841,407
0
0
null
null
null
null
UTF-8
C++
false
false
4,094
h
#ifndef _I3PHOTONICSSERVICE_PYBINDINGS_WRAPPERS_H #define _I3PHOTONICSSERVICE_PYBINDINGS_WRAPPERS_H #include <photonics-service/I3PhotonicsService.h> #include <photonics-service/I3PhotonicsServiceCommons.h> #ifdef USE_PHOTOSPLINE #include <photonics-service/I3PhotoSplineService.h> #include <photonics-service/I3PhotoSplineTable.h> #endif #include <string> #include <vector> /* * When using the Numpy C API from multiple files, we have to * tell it where to find the array of function pointers that * defines the API (this is static for single-file extensions). */ #define PY_ARRAY_UNIQUE_SYMBOL PhotonicsService_PyArray_API using namespace boost::python; /* Table lookup functions */ tuple SelectSource(I3PhotonicsService & self, const PhotonicsSource & src, bool with_gradients=false); /* Sampling functions */ double GetTimeDelay(I3PhotonicsService & self, const double &random); std::vector<double > GetTimeDelays(I3PhotonicsService & self, I3RandomServicePtr random, int n); /* Differential probabilities */ tuple Get(I3PhotonicsService & self, const double &delay, const PhotonicsSource & source); double GetProbabilityDensity(I3PhotonicsService & self, const double &delay); /* Integral probabilities */ #ifdef USE_NUMPY object GetProbabilityQuantiles(I3PhotonicsService &self, object time_edges, double t_0, bool with_gradients = false); #else /* USE_NUMPY */ std::vector<double > GetProbabilityQuantiles(I3PhotonicsService & self, std::vector<double > &time_edges, double t_0); #endif /* USE_NUMPY */ #ifdef USE_NUMPY /* Gradients */ object GetMeanAmplitudeGradient(I3PhotonicsService &self); object GetProbabilityQuantileGradients(I3PhotonicsService &self, object time_edges, double t_0); object GetMeanAmplitudeHessian(I3PhotonicsService &self); object GetProbabilityQuantileHessians(I3PhotonicsService &self, object time_edges, double t_0); /* Coordinate transformations */ object getPhotonicsCoordinates(const double x, const double y, const double z, const PhotonicsSource &source, const geo_type geometry = CYLINDRICAL, const parity_type parity = EVEN ); object getJacobian(const double xOM, const double yOM, const double zOM, const PhotonicsSource &source, const geo_type geometry = CYLINDRICAL, const parity_type parity = EVEN); object getHessian(const double xOM, const double yOM, const double zOM, const PhotonicsSource &source, const geo_type geometry = CYLINDRICAL, const parity_type parity = EVEN); #endif /* USE_NUMPY */ #ifdef USE_PHOTOSPLINE /* I3PhotoSplineTable functions */ double splinetableeval(I3PhotoSplineTable & self, object coordinates); double splinetableeval_gradient(I3PhotoSplineTable & self, std::vector<double > &coordinates, int deriv_dim); int GetAxisOrder(I3PhotoSplineService & self, int dimension); #ifdef USE_NUMPY object splinetableeval_hessian(I3PhotoSplineTable &self, object coordinates); object splinetableeval_gradients(I3PhotoSplineTable &self, object coordinates); object GetKnotVector(I3PhotoSplineService &self, int dimension); object GetTimeSliceCoefficients(I3PhotoSplineService &self, int time_dimension, int derivative, int area_norm); #endif /* USE_NUMPY */ #endif /* USE_PHOTOSPLINE */ /* Universal overloads */ BOOST_PYTHON_FUNCTION_OVERLOADS(SelectSource_overloads, SelectSource, 2, 3); #ifdef USE_NUMPY /* Numpy-dependent overloads */ BOOST_PYTHON_FUNCTION_OVERLOADS(getPhotonicsCoordinates_overloads, getPhotonicsCoordinates, 4, 6); BOOST_PYTHON_FUNCTION_OVERLOADS(getJacobian_overloads, getJacobian, 4, 6); BOOST_PYTHON_FUNCTION_OVERLOADS(getHessian_overloads, getHessian, 4, 6); BOOST_PYTHON_FUNCTION_OVERLOADS(GetProbabilityQuantiles_overloads, GetProbabilityQuantiles, 3, 4); #define GetProbabilityQuantiles_ARGS args("self", "time_edges", "t0", "gradients") #else BOOST_PYTHON_FUNCTION_OVERLOADS(GetProbabilityQuantiles_overloads, GetProbabilityQuantiles, 3, 4); #define GetProbabilityQuantiles_ARGS args("self", "time_edges", "t0") #endif #endif /* _I3PHOTONICSSERVICE_PYBINDINGS_WRAPPERS_H */
[ "nwhitehorn@icecube.wisc.edu" ]
nwhitehorn@icecube.wisc.edu
7dc73bef50faa78f3fbc9118b5dc65433fbc963f
45ca6564423bb7e3c1013a7786f63d73d911ef80
/Source/Framework/GameDev2D.h
331dd1237148f2a161be76ce24ef57c51e17d428
[]
no_license
kjtherocker/Tank-Game
96f020d73627f1f9809cce1aacf1e1b905c2daf2
82244fd3d6cbc7ceba1780d0ad41332e02d5ad9e
refs/heads/master
2022-11-29T02:32:11.847597
2020-08-16T08:37:45
2020-08-16T08:37:45
287,905,132
0
0
null
null
null
null
UTF-8
C++
false
false
10,035
h
#pragma once //Include statements #include "Animation/Animator.h" #include "Animation/Easing.h" #include "Audio/Audio.h" #include "Core/Drawable.h" #include "Core/Transformable.h" #include "Debug/Log.h" #include "Debug/Profile.h" #include "Events/Event.h" #include "Events/EventDispatcher.h" #include "Events/EventHandler.h" #include "Events/FullscreenEvent.h" #include "Events/GamePadButtonDownEvent.h" #include "Events/GamePadButtonUpEvent.h" #include "Events/GamePadConnectedEvent.h" #include "Events/GamePadDisconnectedEvent.h" #include "Events/GamePadLeftThumbStickEvent.h" #include "Events/GamePadLeftTriggerEvent.h" #include "Events/GamePadRightThumbStickEvent.h" #include "Events/GamePadRightTriggerEvent.h" #include "Events/KeyUpEvent.h" #include "Events/KeyDownEvent.h" #include "Events/KeyRepeatEvent.h" #include "Events/MouseButtonDownEvent.h" #include "Events/MouseButtonUpEvent.h" #include "Events/MouseMovementEvent.h" #include "Events/MouseScrollWheelEvent.h" #include "Events/ResizeEvent.h" #include "Graphics/AnimatedSprite.h" #include "Graphics/Camera.h" #include "Graphics/Color.h" #include "Graphics/Font.h" #include "Graphics/GraphicTypes.h" #include "Graphics/Label.h" #include "Graphics/Polygon.h" #include "Graphics/RenderTarget.h" #include "Graphics/Shader.h" #include "Graphics/Sprite.h" #include "Graphics/SpriteAtlas.h" #include "Graphics/SpriteBatch.h" #include "Graphics/Texture.h" #include "Graphics/VertexData.h" #include "Input/Keyboard.h" #include "Input/Mouse.h" #include "IO/File.h" #include "Math/Math.h" #include "Math/Matrix.h" #include "Math/Rotation.h" #include "Math/Vector2.h" #include "Physics/Body.h" #include "Physics/World.h" #include "Physics/CircleCollider.h" #include "Physics/BoxCollider.h" #include "Physics/WorldListener.h" #include "Services/Services.h" #include "Services/DebugUI/DebugUI.h" #include "Services/Graphics/Graphics.h" #include "Services/InputManager/InputManager.h" #include "Services/ResourceManager/ResourceManager.h" #include "Utils/Png/Png.h" #include "Utils/Text/Text.h" #include "Utils/TrueType/TrueType.h" #include "Windows/Application.h" #include "Windows/GameLoop.h" #include "Windows/GameWindow.h" #include <Windows.h> #include <functional> //Application constants #define TARGET_FPS 60 #define LIMIT_FPS true #define WINDOW_TITLE "GameDev2D" #define WINDOW_WIDTH 1024 #define WINDOW_HEIGHT 768 #define WINDOW_IS_FULLSCREEN false #define BACKGROUND_CLEAR_COLOR Color::CornflowerBlueColor() #define DEBUG_DRAW_FPS 1 #define DEBUG_DRAW_DELTA_TIME 0 #define DEBUG_DRAW_ELAPSED_TIME 0 #define DEBUG_DRAW_ALLOCATED_TEXTURE_MEMORY 0 #define DEBUG_DRAW_SPRITE_RECT 0 #define THROW_EXCEPTION_ON_ERROR 1 #define LOG_TO_FILE 0 namespace GameDev2D { // The Run() function is the entry point into GameDev2D, you must provide four (4) functions to the Run() function // // 1. The first function, is an initialization function, that has a return type of void and take zero parameters. // The initialization function will only be called once, shortly after the GameWindow is setup. // // 2. The second function, is an shutdown function, that has a return type of void and take zero parameters. The // shutdown function will only be called once, at the end of the application's lifecycle to ensure all // resources all properly deleted/unloaded. // // 3. The third function, is an update function, that has a return type of void and take one parameter of type double, // the update function is called once a frame, you should perform ALL game logic in the update function // // 4. The fourth function, is an draw function, that has a return type of void and takes zero parameters, the draw // function is called once a frame, you should perform ALL rendering and ONLY rendering in the draw function. // Drawing anything outside of the draw function will not work. void Run(std::function<void()> initCallback, std::function<void()> shutdownCallback, std::function<void(double)> updateCallback, std::function<void()> drawCallback); // Returns the width of the Window unsigned int GetScreenWidth(); // Returns the height of the Window unsigned int GetScreenHeight(); // Loads a Texture from a file. All Texture files MUST be of type png. If a Texture file doesn't exist a default 'checkboard' // Texture will be loaded in its place. void LoadTexture(const std::string& filename); // Unloads an already loaded Texture. You must make sure to unload any Texture that you load, if you don't you are properly // releasing precious memory back to the operating system void UnloadTexture(const std::string& filename); // Returns an already loaded texture. If the Texture hasn't been loaded, a default 'checkboard' // Texture will be returned in its place Texture* GetTexture(const std::string& filename); // Loads a Font from a file. Font files can be of type ttf or otf. If a Font file doesn't exist a default 'font' // will be loaded in its place. void LoadFont(const std::string& filename, const std::string& extension, unsigned int fontSize); // Unloads an already loaded Font. You must make sure to unload any Font that you load, if you don't you are properly // releasing precious memory back to the operating system void UnloadFont(const std::string& filename, const std::string& extension, unsigned int fontSize); // Returns an already loaded Font. If a Font file isn't already loaded a default 'font' // will be loaded in its place. Font* GetFont(const std::string& filename, const std::string& extension, unsigned int fontSize); // Returns the width an already loaded Texture, if the Texture isn't loaded, then zero will be returned unsigned int GetTextureWidth(const std::string& filename); // Returns the height an already loaded Texture, if the Texture isn't loaded, then zero will be returned unsigned int GetTextureHeight(const std::string& filename); // Draw a Texture to the screen, must be called inside the Draw function. You must specify position and rotation values. void DrawTexture(const std::string& filename, float x, float y, float angle, float alpha = 1.0f); // Draw a string of text to the screen using GameDev2D's default Font, must be called inside the Draw function. You // must specify position and color values. void DrawString(const std::string& text, float x, float y, const Color& color); // Draw a rectange to the screen, must be called inside the Draw function. You must specify position, size, angle, color and fill values. void DrawRectangle(float x, float y, float width, float height, float angle, const Color& color, bool isFilled); // Draw a circle to the screen, must be called inside the Draw function. You must specify position, radius, color and fill values. void DrawCircle(float x, float y, float radius, const Color& color, bool isFilled); // Draw a line to the screen, must be called inside the Draw function. You must specify a start and end point values, plus a color value void DrawLine(float startX, float startY, float endX, float endY, const Color& color); // Registers a callback function to be called whenever the key is pressed (down then up) void RegisterKeyPressedCallback(std::function<void(Keyboard::Key)> keyPressedCallback); // Registers a callback function to be called whenever the left mouse button is clicked void RegisterLeftMouseClickCallback(std::function<void(float, float)> leftMouseClickCallback); // Registers a callback function to be called whenever the right mouse button is clicked void RegisterRightMouseClickCallback(std::function<void(float, float)> rightMouseClickCallback); // Returns wether a keyboard key is Up or not bool IsKeyUp(unsigned int key); // Returns wether a keyboard key is Down or not bool IsKeyDown(unsigned int key); // Returns wether the left mouse button is Up or not bool IsLeftMouseButtonUp(); // Returns wether the left mouse button is Down or not bool IsLeftMouseButtonDown(); // Returns wether the right mouse button is Up or not bool IsRightMouseButtonUp(); // Returns wether the right mouse button is Down or not bool IsRightMouseButtonDown(); // Returns the current position of the mouse Vector2 GetMousePosition(); // Returns wether a GamePad is connected, by default it will check Port 1, but you // can specify any of the 4 ports available bool IsGamePadConnected(GamePad::Port port = GamePad::Port_1); // Returns the Left Thumb stick vector for the GamePad connected on Port 1, but you // can specify any of the 4 ports available. If the GamePad is NOT connected, then // Vector2::Zero is returned Vector2 GetGamePadLeftThumbStick(GamePad::Port port = GamePad::Port_1); // Returns the Right Thumb stick vector for the GamePad connected on Port 1, but you // can specify any of the 4 ports available. If the GamePad is NOT connected, then // Vector2::Zero is returned Vector2 GetGamePadRightThumbStick(GamePad::Port port = GamePad::Port_1); // Returns the Left analog trigger for the GamePad connected on Port 1, but you can // specify any of the 4 ports available. If the GamePad is NOT connected, then // zero is returned float GetGamePadLeftTrigger(GamePad::Port port = GamePad::Port_1); // Returns the Right analog trigger for the GamePad connected on Port 1, but you can // specify any of the 4 ports available. If the GamePad is NOT connected, then // zero is returned float GetGamePadRightTrigger(GamePad::Port port = GamePad::Port_1); // Returns wether a button is pressed or not for the GamePad connected on Port 1, but // you can specify any of the 4 ports available. If the GamePad is NOT connected, then // false is returned bool IsGamePadButtonPressed(GamePad::Button button, GamePad::Port port = GamePad::Port_1); }
[ "kylejohnsonthegod@gmail.com" ]
kylejohnsonthegod@gmail.com
cb15b65d8c811789c5079089ee7574c5b0d9777b
e3e4b33bf969a17f74d600357dc1f8045e32ca44
/epc/encode.h
a513a9b32bf84dbc3385b0b7c20e69821fc257db
[ "MIT" ]
permissive
hana-day/libepc
45aef4e0b17f6bc4915522497f6ac9dd0c90ef09
19b9a5ef28c79ce2065f36dc40e694475b78be1e
refs/heads/master
2023-07-17T22:45:18.673076
2021-09-05T06:53:36
2021-09-05T06:53:36
403,231,291
3
0
null
null
null
null
UTF-8
C++
false
false
1,606
h
#ifndef LIBEPC_EPC_ENCODE_H_ #define LIBEPC_EPC_ENCODE_H_ #include "status.h" #include <string> #include <vector> #include <map> namespace epc { std::string encode_integer(uint64_t i, unsigned int bit_len); uint64_t decode_integer(const std::string &s); std::string encode_string(const std::string &s, unsigned int bit_len); std::string decode_string(const std::string &s); std::pair<Status, std::string> convert_bin_to_hex(const std::string &bin); std::pair<Status, std::string> convert_hex_to_bin(const std::string &hex); void replace_all(std::string& str, const std::string& from, const std::string& to); std::string uri_encode(const std::string &s); std::string uri_decode(const std::string &s); std::string read_string(std::stringstream &ss, size_t n); void lpad(std::string &s, size_t n, char ch); void rpad(std::string &s, size_t n, char ch); const std::map<std::string, char> BIN_TO_HEX_MAP = { {"0000", '0'}, {"0001", '1'}, {"0010", '2'}, {"0011", '3'}, {"0100", '4'}, {"0101", '5'}, {"0110", '6'}, {"0111", '7'}, {"1000", '8'}, {"1001", '9'}, {"1010", 'A'}, {"1011", 'B'}, {"1100", 'C'}, {"1101", 'D'}, {"1110", 'E'}, {"1111", 'F'}, }; const std::map<char, std::string> HEX_TO_BIN_MAP = { {'0', "0000"}, {'1', "0001"}, {'2', "0010"}, {'3', "0011"}, {'4', "0100"}, {'5', "0101"}, {'6', "0110"}, {'7', "0111"}, {'8', "1000"}, {'9', "1001"}, {'A', "1010"}, {'B', "1011"}, {'C', "1100"}, {'D', "1101"}, {'E', "1110"}, {'F', "1111"}, }; } #endif
[ "hyusuk9872@gmail.com" ]
hyusuk9872@gmail.com
e0f0604be6d88463647ac709bc8285f83f21e7a4
6ec65e2eaa27257c53a39a0c66d4787137a57c78
/hackerrank/sum.cpp
b78e40cdce74bf0da0af15af913de54d6045dd37
[]
no_license
Manjunath-Jakaraddi/Competitive-Coding
10514d27f98687b11da9c85eab0a1060a06fc0b8
8f1d0ebc871f0dab68297f1fe25c48bf97becc78
refs/heads/master
2023-08-18T05:21:37.127728
2023-08-13T08:01:25
2023-08-13T08:01:25
128,106,728
0
0
null
2023-09-05T21:21:58
2018-04-04T18:51:20
C++
UTF-8
C++
false
false
212
cpp
#include<iostream> using namespace std; int a[100]; int main() { lo n,ans; cin>>n>>a[1]; ans=0; for(int i=2;i<=n;i++) { a[i]+=(a[i-1]+a[i-2]); } for(int i=1;i<=n;i++) ans+=a[i]; cout<<ans; return 0; }
[ "manjunath180397@gmail.com" ]
manjunath180397@gmail.com
6cb6b03b6932448e90d8bb5a9b0760732e112811
83d2a3ae9397fb7e870700e2eff8d7fa92686609
/libs/spirit/test/impl/string_length.hpp
68606ed34c180c42a368576316941bd0f4ca85d1
[ "BSL-1.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
Albermg7/boost
a46b309ae8963762dbe8be5a94b2f2aefdeed424
cfc1cd75edc70029bbb095c091a28c46b44904cc
refs/heads/master
2020-04-25T01:45:56.415033
2013-11-15T12:56:31
2013-11-15T12:56:31
null
0
0
null
null
null
null
UTF-8
C++
false
false
970
hpp
/*============================================================================= Copyright (c) 2004 Joel de Guzman http://spirit.sourceforge.net/ Use, modification and distribution is subject to the Boost Software License, Version 1.0. (See accompanying file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) =============================================================================*/ #if !defined(SPIRIT_TEST_IMPL_STRING_len_HPP) #define SPIRIT_TEST_IMPL_STRING_len_HPP // We use our own string_len function instead of std::strlen // to avoid the namespace confusion on different compilers. Some // have itin namespace std. Some have it in global namespace. // Some have it in both. namespace { template <typename Char> inline unsigned int string_length(Char const* str) { unsigned int len = 0; while (*str++) ++len; return len; } } #endif
[ "albermg7@gmail.com" ]
albermg7@gmail.com
9b0b6ace780afd84c275b1d8abaf54a3583ab14a
308f3cb8a30fcacd8851cc2ed979949b643cf1d9
/a_warm_heart/2021BaiduAllstar-medium/1005.cpp
93be4590fad157f8b9e8b2d0366d1649926713da
[]
no_license
szh-bash/ACM
9a49859644d077bcb40f90dbac33d88649e7b0f3
3ddab1ab8f9b8a066f012f2978ee9519d00aec54
refs/heads/master
2022-08-08T19:20:09.912359
2022-07-20T10:43:57
2022-07-20T10:43:57
98,170,219
5
0
null
null
null
null
UTF-8
C++
false
false
3,976
cpp
#include <map> #include <queue> #include <cmath> #include <ctime> #include <vector> #include <cstdio> #include <complex> #include <cstdlib> #include <cstring> #include <iostream> #include <algorithm> #include <tr1/unordered_map> #include <ctime> #define mo 1000000007 #define num(x) (x>='0' && x<='9') typedef unsigned long long ull; typedef long long ll; using namespace std::tr1; using namespace std; #define N 10 #define M 20 int n, m, x, a[M], b[M], e[M], r[M], flag[M*2], g[M], tag[M], p[M], q[M], c[M]; int nn, mm; char ans[N][330000][11]; //careful data type int read(){ int p=0, q=1; char ch=getchar(); while (!num(ch)) (ch=='-'?q=-1:0), ch=getchar(); while (num(ch)) p=p*10+ch-'0', ch=getchar(); return p*q; } int mul(int a, int b){ if (1ll*a*b>=mo) return 1ll*a*b%mo; return a*b; } int inc(int a, int b){ if (a+b>=mo) return a+b-mo; return a+b; } void dfs(int u){ // cout<<n<<' '<<m<<' '<<u<<' '<<g[n-1]<<endl; if (u>10){ g[n-1]++; for (int i=1;i<=10;i++) ans[n-1][g[n-1]][i]=c[i]+tag[i]*10; return; } int st=1; if (u>1 && tag[u-1]==tag[u]) st=c[u-1]+1; if (tag[u]){ // * for (int i=st;i<=m;i++) if (!flag[i+10]) flag[i+10]=1, c[u]=i, dfs(u+1), flag[i+10]=0; } else{ // + for (int i=st;i<=n;i++) if (!flag[i]) flag[i]=1, c[u]=i, dfs(u+1), flag[i]=0; } } void solve(){ if (nn<=mm){ int id=0; for (int i=1;i<=mm;i++){ for (int j=1;j<=q[i];j++) tag[id+j]=1; if (i<=nn) for (int j=1;j<=p[i];j++) tag[id+q[i]+j]=0; id+=q[i]+p[i]; } dfs(1); } if (nn>=mm){ int id=0; for (int i=1;i<=nn;i++){ for (int j=1;j<=p[i];j++) tag[id+j]=0; if (i<=mm) for (int j=1;j<=q[i];j++) tag[id+p[i]+j]=1; id+=q[i]+p[i]; } dfs(1); } } void dfsm(int u, int res){ if (u==mm){ q[u]=res; solve(); return; } for (int i=1;i<res;i++) q[u]=i, dfsm(u+1,res-i); } void dfsn(int u, int res){ if (u==nn){ p[u]=res; dfsm(1, m); return; } for (int i=1;i<res;i++) p[u]=i, dfsn(u+1, res-i); } void init(){ for (int i=1;i<=n;i++){ if (i-1 && i-1<=m){ nn=i, mm=i-1; dfsn(1, n); } if (i<=m){ nn=mm=i; dfsn(1, n); } if (i+1<=m){ nn=i, mm=i+1; dfsn(1, n); } } cout<<n<<' '<<g[n-1]<<endl; } void get(){ int anss=x; if (!n || !m){ for (int i=1;i<=10;i++) if (b[i]) anss=mul(anss,a[i]); else anss=inc(anss,a[i]); printf("%d\n", anss); } int ct0=0, ct1=0; for (int i=1;i<=10;i++) if (b[i]) r[++ct1]=a[i]; else e[++ct0]=a[i]; anss=mo; int v=n-1, T=g[v]; int ran=0; if (T>90000) ran=1; for (int i=1;i<=T;i+=ran?20:1){ int res=x; // if (ran && 1.0*rand()/RAND_MAX>0.06) continue; for (int j=1;j<=10;j++){ int y = ans[v][T-i+1][j]; if (y>10) res=mul(res,r[y-10]); else res=inc(res,e[y]); } if (res<anss) anss=res; } printf("%d\n", anss); } int main(){ srand(unsigned(time(NULL))); for (int i=1;i<10;i++) n=i, m=10-i, init(); for (int _=read();_;_--){ n=read(), x=read(); m=0; for (int j=1;j<=n;j++){ char op[3]; scanf("%s", op); a[j]=read(); b[j]=op[0]=='*'; m+=b[j]; } n=n-m; get(); } return 0; }
[ "342333349@qq.com" ]
342333349@qq.com
97a739b338583174bb1067d86123178eccf51412
8242d218808b8cc5734a27ec50dbf1a7a7a4987a
/Intermediate/Build/Win64/Netshoot/Inc/Engine/InputAxisDelegateBinding.gen.cpp
fecf440a9552067425c5d449eb5be0b8da3fd591
[]
no_license
whyhhr/homework2
a2e75b494a962eab4fb0a740f83dc8dc27f8f6ee
9808107fcc983c998d8601920aba26f96762918c
refs/heads/main
2023-08-29T08:14:39.581638
2021-10-22T16:47:11
2021-10-22T16:47:11
null
0
0
null
null
null
null
UTF-8
C++
false
false
12,685
cpp
// Copyright Epic Games, Inc. All Rights Reserved. /*=========================================================================== Generated code exported from UnrealHeaderTool. DO NOT modify this manually! Edit the corresponding .h files instead! ===========================================================================*/ #include "UObject/GeneratedCppIncludes.h" #include "Engine/Classes/Engine/InputAxisDelegateBinding.h" #ifdef _MSC_VER #pragma warning (push) #pragma warning (disable : 4883) #endif PRAGMA_DISABLE_DEPRECATION_WARNINGS void EmptyLinkFunctionForGeneratedCodeInputAxisDelegateBinding() {} // Cross Module References ENGINE_API UScriptStruct* Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding(); UPackage* Z_Construct_UPackage__Script_Engine(); ENGINE_API UScriptStruct* Z_Construct_UScriptStruct_FBlueprintInputDelegateBinding(); ENGINE_API UClass* Z_Construct_UClass_UInputAxisDelegateBinding_NoRegister(); ENGINE_API UClass* Z_Construct_UClass_UInputAxisDelegateBinding(); ENGINE_API UClass* Z_Construct_UClass_UInputDelegateBinding(); // End Cross Module References static_assert(std::is_polymorphic<FBlueprintInputAxisDelegateBinding>() == std::is_polymorphic<FBlueprintInputDelegateBinding>(), "USTRUCT FBlueprintInputAxisDelegateBinding cannot be polymorphic unless super FBlueprintInputDelegateBinding is polymorphic"); class UScriptStruct* FBlueprintInputAxisDelegateBinding::StaticStruct() { static class UScriptStruct* Singleton = NULL; if (!Singleton) { extern ENGINE_API uint32 Get_Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Hash(); Singleton = GetStaticStruct(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding, Z_Construct_UPackage__Script_Engine(), TEXT("BlueprintInputAxisDelegateBinding"), sizeof(FBlueprintInputAxisDelegateBinding), Get_Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Hash()); } return Singleton; } template<> ENGINE_API UScriptStruct* StaticStruct<FBlueprintInputAxisDelegateBinding>() { return FBlueprintInputAxisDelegateBinding::StaticStruct(); } static FCompiledInDeferStruct Z_CompiledInDeferStruct_UScriptStruct_FBlueprintInputAxisDelegateBinding(FBlueprintInputAxisDelegateBinding::StaticStruct, TEXT("/Script/Engine"), TEXT("BlueprintInputAxisDelegateBinding"), false, nullptr, nullptr); static struct FScriptStruct_Engine_StaticRegisterNativesFBlueprintInputAxisDelegateBinding { FScriptStruct_Engine_StaticRegisterNativesFBlueprintInputAxisDelegateBinding() { UScriptStruct::DeferCppStructOps<FBlueprintInputAxisDelegateBinding>(FName(TEXT("BlueprintInputAxisDelegateBinding"))); } } ScriptStruct_Engine_StaticRegisterNativesFBlueprintInputAxisDelegateBinding; struct Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics { #if WITH_METADATA static const UE4CodeGen_Private::FMetaDataPairParam Struct_MetaDataParams[]; #endif static void* NewStructOps(); #if WITH_METADATA static const UE4CodeGen_Private::FMetaDataPairParam NewProp_InputAxisName_MetaData[]; #endif static const UE4CodeGen_Private::FNamePropertyParams NewProp_InputAxisName; #if WITH_METADATA static const UE4CodeGen_Private::FMetaDataPairParam NewProp_FunctionNameToBind_MetaData[]; #endif static const UE4CodeGen_Private::FNamePropertyParams NewProp_FunctionNameToBind; static const UE4CodeGen_Private::FPropertyParamsBase* const PropPointers[]; static const UE4CodeGen_Private::FStructParams ReturnStructParams; }; #if WITH_METADATA const UE4CodeGen_Private::FMetaDataPairParam Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::Struct_MetaDataParams[] = { { "ModuleRelativePath", "Classes/Engine/InputAxisDelegateBinding.h" }, }; #endif void* Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewStructOps() { return (UScriptStruct::ICppStructOps*)new UScriptStruct::TCppStructOps<FBlueprintInputAxisDelegateBinding>(); } #if WITH_METADATA const UE4CodeGen_Private::FMetaDataPairParam Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_InputAxisName_MetaData[] = { { "ModuleRelativePath", "Classes/Engine/InputAxisDelegateBinding.h" }, }; #endif const UE4CodeGen_Private::FNamePropertyParams Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_InputAxisName = { "InputAxisName", nullptr, (EPropertyFlags)0x0010000000000000, UE4CodeGen_Private::EPropertyGenFlags::Name, RF_Public|RF_Transient|RF_MarkAsNative, 1, STRUCT_OFFSET(FBlueprintInputAxisDelegateBinding, InputAxisName), METADATA_PARAMS(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_InputAxisName_MetaData, UE_ARRAY_COUNT(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_InputAxisName_MetaData)) }; #if WITH_METADATA const UE4CodeGen_Private::FMetaDataPairParam Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_FunctionNameToBind_MetaData[] = { { "ModuleRelativePath", "Classes/Engine/InputAxisDelegateBinding.h" }, }; #endif const UE4CodeGen_Private::FNamePropertyParams Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_FunctionNameToBind = { "FunctionNameToBind", nullptr, (EPropertyFlags)0x0010000000000000, UE4CodeGen_Private::EPropertyGenFlags::Name, RF_Public|RF_Transient|RF_MarkAsNative, 1, STRUCT_OFFSET(FBlueprintInputAxisDelegateBinding, FunctionNameToBind), METADATA_PARAMS(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_FunctionNameToBind_MetaData, UE_ARRAY_COUNT(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_FunctionNameToBind_MetaData)) }; const UE4CodeGen_Private::FPropertyParamsBase* const Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::PropPointers[] = { (const UE4CodeGen_Private::FPropertyParamsBase*)&Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_InputAxisName, (const UE4CodeGen_Private::FPropertyParamsBase*)&Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::NewProp_FunctionNameToBind, }; const UE4CodeGen_Private::FStructParams Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::ReturnStructParams = { (UObject* (*)())Z_Construct_UPackage__Script_Engine, Z_Construct_UScriptStruct_FBlueprintInputDelegateBinding, &NewStructOps, "BlueprintInputAxisDelegateBinding", sizeof(FBlueprintInputAxisDelegateBinding), alignof(FBlueprintInputAxisDelegateBinding), Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::PropPointers, UE_ARRAY_COUNT(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::PropPointers), RF_Public|RF_Transient|RF_MarkAsNative, EStructFlags(0x00000201), METADATA_PARAMS(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::Struct_MetaDataParams, UE_ARRAY_COUNT(Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::Struct_MetaDataParams)) }; UScriptStruct* Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding() { #if WITH_HOT_RELOAD extern uint32 Get_Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Hash(); UPackage* Outer = Z_Construct_UPackage__Script_Engine(); static UScriptStruct* ReturnStruct = FindExistingStructIfHotReloadOrDynamic(Outer, TEXT("BlueprintInputAxisDelegateBinding"), sizeof(FBlueprintInputAxisDelegateBinding), Get_Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Hash(), false); #else static UScriptStruct* ReturnStruct = nullptr; #endif if (!ReturnStruct) { UE4CodeGen_Private::ConstructUScriptStruct(ReturnStruct, Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Statics::ReturnStructParams); } return ReturnStruct; } uint32 Get_Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding_Hash() { return 3764772912U; } void UInputAxisDelegateBinding::StaticRegisterNativesUInputAxisDelegateBinding() { } UClass* Z_Construct_UClass_UInputAxisDelegateBinding_NoRegister() { return UInputAxisDelegateBinding::StaticClass(); } struct Z_Construct_UClass_UInputAxisDelegateBinding_Statics { static UObject* (*const DependentSingletons[])(); #if WITH_METADATA static const UE4CodeGen_Private::FMetaDataPairParam Class_MetaDataParams[]; #endif static const UE4CodeGen_Private::FStructPropertyParams NewProp_InputAxisDelegateBindings_Inner; #if WITH_METADATA static const UE4CodeGen_Private::FMetaDataPairParam NewProp_InputAxisDelegateBindings_MetaData[]; #endif static const UE4CodeGen_Private::FArrayPropertyParams NewProp_InputAxisDelegateBindings; static const UE4CodeGen_Private::FPropertyParamsBase* const PropPointers[]; static const FCppClassTypeInfoStatic StaticCppClassTypeInfo; static const UE4CodeGen_Private::FClassParams ClassParams; }; UObject* (*const Z_Construct_UClass_UInputAxisDelegateBinding_Statics::DependentSingletons[])() = { (UObject* (*)())Z_Construct_UClass_UInputDelegateBinding, (UObject* (*)())Z_Construct_UPackage__Script_Engine, }; #if WITH_METADATA const UE4CodeGen_Private::FMetaDataPairParam Z_Construct_UClass_UInputAxisDelegateBinding_Statics::Class_MetaDataParams[] = { { "IncludePath", "Engine/InputAxisDelegateBinding.h" }, { "ModuleRelativePath", "Classes/Engine/InputAxisDelegateBinding.h" }, }; #endif const UE4CodeGen_Private::FStructPropertyParams Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings_Inner = { "InputAxisDelegateBindings", nullptr, (EPropertyFlags)0x0000000000000000, UE4CodeGen_Private::EPropertyGenFlags::Struct, RF_Public|RF_Transient|RF_MarkAsNative, 1, 0, Z_Construct_UScriptStruct_FBlueprintInputAxisDelegateBinding, METADATA_PARAMS(nullptr, 0) }; #if WITH_METADATA const UE4CodeGen_Private::FMetaDataPairParam Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings_MetaData[] = { { "ModuleRelativePath", "Classes/Engine/InputAxisDelegateBinding.h" }, }; #endif const UE4CodeGen_Private::FArrayPropertyParams Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings = { "InputAxisDelegateBindings", nullptr, (EPropertyFlags)0x0010000000000000, UE4CodeGen_Private::EPropertyGenFlags::Array, RF_Public|RF_Transient|RF_MarkAsNative, 1, STRUCT_OFFSET(UInputAxisDelegateBinding, InputAxisDelegateBindings), EArrayPropertyFlags::None, METADATA_PARAMS(Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings_MetaData, UE_ARRAY_COUNT(Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings_MetaData)) }; const UE4CodeGen_Private::FPropertyParamsBase* const Z_Construct_UClass_UInputAxisDelegateBinding_Statics::PropPointers[] = { (const UE4CodeGen_Private::FPropertyParamsBase*)&Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings_Inner, (const UE4CodeGen_Private::FPropertyParamsBase*)&Z_Construct_UClass_UInputAxisDelegateBinding_Statics::NewProp_InputAxisDelegateBindings, }; const FCppClassTypeInfoStatic Z_Construct_UClass_UInputAxisDelegateBinding_Statics::StaticCppClassTypeInfo = { TCppClassTypeTraits<UInputAxisDelegateBinding>::IsAbstract, }; const UE4CodeGen_Private::FClassParams Z_Construct_UClass_UInputAxisDelegateBinding_Statics::ClassParams = { &UInputAxisDelegateBinding::StaticClass, nullptr, &StaticCppClassTypeInfo, DependentSingletons, nullptr, Z_Construct_UClass_UInputAxisDelegateBinding_Statics::PropPointers, nullptr, UE_ARRAY_COUNT(DependentSingletons), 0, UE_ARRAY_COUNT(Z_Construct_UClass_UInputAxisDelegateBinding_Statics::PropPointers), 0, 0x001000A0u, METADATA_PARAMS(Z_Construct_UClass_UInputAxisDelegateBinding_Statics::Class_MetaDataParams, UE_ARRAY_COUNT(Z_Construct_UClass_UInputAxisDelegateBinding_Statics::Class_MetaDataParams)) }; UClass* Z_Construct_UClass_UInputAxisDelegateBinding() { static UClass* OuterClass = nullptr; if (!OuterClass) { UE4CodeGen_Private::ConstructUClass(OuterClass, Z_Construct_UClass_UInputAxisDelegateBinding_Statics::ClassParams); } return OuterClass; } IMPLEMENT_CLASS(UInputAxisDelegateBinding, 3275986827); template<> ENGINE_API UClass* StaticClass<UInputAxisDelegateBinding>() { return UInputAxisDelegateBinding::StaticClass(); } static FCompiledInDefer Z_CompiledInDefer_UClass_UInputAxisDelegateBinding(Z_Construct_UClass_UInputAxisDelegateBinding, &UInputAxisDelegateBinding::StaticClass, TEXT("/Script/Engine"), TEXT("UInputAxisDelegateBinding"), false, nullptr, nullptr, nullptr); DEFINE_VTABLE_PTR_HELPER_CTOR(UInputAxisDelegateBinding); PRAGMA_ENABLE_DEPRECATION_WARNINGS #ifdef _MSC_VER #pragma warning (pop) #endif
[ "49893309+whyhhr@users.noreply.github.com" ]
49893309+whyhhr@users.noreply.github.com
bda2dd5649ac223220678ed5523e29485c9954f2
b5e475c002ac70e858d5f175d58b924c50116d1f
/MsgClient/MsgClient.cpp
817ee8bf089075234c931d9e956fa9b3b4a09def
[]
no_license
Rishitrishi95/Remote_Code_Publisher
fcc04b21834f6824a0be3752087843d30ed4f9bd
38b581daabea72130acbeec954f10fa442b2d576
refs/heads/master
2021-04-12T10:02:22.746221
2018-03-25T17:33:53
2018-03-25T17:33:53
126,722,188
1
0
null
null
null
null
UTF-8
C++
false
false
26,126
cpp
///////////////////////////////////////////////////////////////////////// // MsgClient.cpp - Demonstrates simple one-way HTTP messaging // // // //Rishit Reddy Muthyala, CSE687 - Object Oriented Design, Spring 2016 // // Application: OOD Project #4 // // Platform: Visual Studio 2015, Dell XPS 8900, Windows 10 pro // ///////////////////////////////////////////////////////////////////////// /* * This package implements a client that sends HTTP style messages and * files to a server that simply displays messages and stores files. * * It's purpose is to provide a very simple illustration of how to use * the Socket Package provided for Project #4. */ /* * Required Files: * MsgClient.cpp, MsgServer.cpp * HttpMessage.h, HttpMessage.cpp * Cpp11-BlockingQueue.h * Sockets.h, Sockets.cpp * FileSystem.h, FileSystem.cpp * Logger.h, Logger.cpp * Utilities.h, Utilities.cpp */ #include "MsgClient.h" #include "../FileSystem/FileSystem.h" #include "../Logger/Logger.h" #include "../Utilities/Utilities.h" #include <string> #include <iostream> #include <thread> #include <unordered_map> #include <shellapi.h> #include <Windows.h> //----<This method is the entry point for all the Get Messages requests coming to the client >---------- HttpMessage ClientHandler::readingMessageForGetFunc(HttpMessage& msg, Socket& socket) { std::string getMessage = msg.findValue("messageType"); Show::write("\n"); if (getMessage.compare("getCategoriesReply") == 0) { size_t numBytes = 0; size_t pos = msg.findAttribute("content-length"); if (pos < msg.attributes().size()) { numBytes = Converter<size_t>::toValue(msg.attributes()[pos].second); Socket::byte* buffer = new Socket::byte[numBytes + 1]; socket.recv(numBytes, buffer); buffer[numBytes] = '\0'; std::string msgBody(buffer); msg.addBody(msgBody); delete[] buffer; } } else if (getMessage.compare("getFileNamesReply") == 0) { size_t numBytes = 0; size_t pos = msg.findAttribute("content-length"); if (pos < msg.attributes().size()) { numBytes = Converter<size_t>::toValue(msg.attributes()[pos].second); Socket::byte* buffer = new Socket::byte[numBytes + 1]; socket.recv(numBytes, buffer); buffer[numBytes] = '\0'; std::string msgBody(buffer); msg.addBody(msgBody); delete[] buffer; } } else if (getMessage.compare("HtmFileContentReplyFromServer") == 0) { acceptFileClickedFromServer(msg, socket); } return msg; } //-----This method process the file coming from the Repository and builds a file at the Client end bool ClientHandler::acceptFileClickedFromServer(HttpMessage &msg, Socket& socket) { try { ::SetConsoleTitle("Client"); const size_t BlockSize = 2048; Socket::byte buffer[BlockSize]; std::string fileStoragePath; if (msg.findValue("fileName").find(".htm") != std::string::npos) fileStoragePath = "../../../clientRepository/CoreFileRepoClient/" + msg.findValue("fileName"); else fileStoragePath = "../../../clientRepository/" + msg.findValue("fileName"); if (FileSystem::File::exists(fileStoragePath)) { cout << "File already exist: " << fileStoragePath << endl<<"Deleting the file..."; FileSystem::File::remove(fileStoragePath); } FileSystem::File file(fileStoragePath); file.open(FileSystem::File::out, FileSystem::File::binary); if (file.isGood()) cout << "File is good in client end" << endl; size_t bytesToRead; string getFileSize = msg.findValue("content-length"); size_t fileSize = Converter<size_t>::toValue(getFileSize); while (true) { if (fileSize > BlockSize) bytesToRead = BlockSize; else bytesToRead = fileSize; socket.recv(bytesToRead, buffer); FileSystem::Block blk; for (size_t i = 0; i < bytesToRead; ++i) { blk.push_back(buffer[i]); } file.putBlock(blk); if (fileSize < BlockSize) break; fileSize -= BlockSize; } file.close(); cout << "The File : " + msg.findValue("fileName") + " is downloaded successfully on the client side successfully" << endl; } catch (std::exception& except){ cout << "Exception caught in acceptFileFromServer of client " << std::string(except.what()) << "\n\n"; } return true; } //----<This method is the entry point for all the Post Messages requests coming to the client >---------- HttpMessage ClientHandler::readMessageForPost(HttpMessage& msg, Socket& socket) { std::string filename = msg.findValue("file"); if (filename != "") { size_t contentSize; std::string sizeString = msg.findValue("content-length"); if (sizeString != "") contentSize = Converter<size_t>::toValue(sizeString); else return msg; std::string getDir = msg.findValue("directory"); readingFile(filename, contentSize, getDir, socket); } if (filename != "") { msg.removeAttribute("content-length"); std::string bodyString = "<file>" + filename + "</file>"; std::string sizeString = Converter<size_t>::toString(bodyString.size()); msg.addAttribute(HttpMessage::Attribute("content-length", sizeString)); msg.addBody(bodyString); } else { size_t numBytes = 0; size_t pos = msg.findAttribute("content-length"); if (pos < msg.attributes().size()) { numBytes = Converter<size_t>::toValue(msg.attributes()[pos].second); Socket::byte* buffer = new Socket::byte[numBytes + 1]; socket.recv(numBytes, buffer); buffer[numBytes] = '\0'; std::string msgBody(buffer); msg.addBody(msgBody); delete[] buffer; } } return msg; } //----< this defines processing to frame messages >------------------ //----< Used the professor's code directly >------------------ HttpMessage ClientHandler::readingMessage(Socket& socket) { HttpMessage msg; connectionClosed_ = false; try { while (true) { std::string attribString = socket.recvString('\n'); if (attribString.size() > 1) { HttpMessage::Attribute attrib = HttpMessage::parseAttribute(attribString); msg.addAttribute(attrib); } else break; } if (msg.attributes().size() == 0) { connectionClosed_ = true; return msg; } if (msg.attributes()[0].first == "POST") msg = readMessageForPost(msg, socket); else if (msg.attributes()[0].first == "GET") msg = readingMessageForGetFunc(msg, socket); cout << "\n The message received from the server is\n " << msg.toString() << "\n"; } catch (std::exception& except) { cout << "Exception caught in readMessage of client " << std::string(except.what()) << "\n\n"; } return msg; } //----< read a binary file from socket and save >-------------------- /* * This function expects the sender to have already send a file message, * and when this function is running, continuosly send bytes until * fileSize bytes have been sent. */ bool ClientHandler::readingFile(const std::string& filename, size_t fileSize, const std::string& getDir, Socket& socket) { //std::string fqname = "../TestFiles_Client_Server/" + filename + ".snt"; std::string checkDirPath = path_ + "/" + getDir; if (FileSystem::Directory::exists(checkDirPath) == false) { FileSystem::Directory::create(checkDirPath); } std::string fqname = path_ + "/" + getDir + "/" + filename; // Show::write(" Trying to readFile: " + fqname + " \n"); cout << "Trying to readFile: " << fqname << " \n"; FileSystem::File file(fqname); file.open(FileSystem::File::out, FileSystem::File::binary); if (!file.isGood()) { cout << "\n\n can't open file " << fqname << endl; return false; } const size_t BlockSize = 2048; Socket::byte buffer[BlockSize]; size_t bytesToRead; while (true) { if (fileSize > BlockSize) bytesToRead = BlockSize; else bytesToRead = fileSize; socket.recv(bytesToRead, buffer); FileSystem::Block blk; for (size_t i = 0; i < bytesToRead; ++i) blk.push_back(buffer[i]); file.putBlock(blk); if (fileSize < BlockSize) break; fileSize -= BlockSize; } file.close(); return true; } //----< receiver functionality is defined by this function >--------- void ClientHandler::operator()(Socket socket) { while (true) { HttpMessage msg = readingMessage(socket); if (connectionClosed_ || msg.bodyString() == "quit") { // Show::write("\n\n clienthandler thread is terminating"); cout << "\n\n clientHandler thread is terminationg " << endl; break; } msgQ_.enQ(msg); } } ///////////////////////////////////////////////////////////////////// // ClientCounter creates a sequential number for each client // class ClientCounter { public: ClientCounter() { ++clientCount; } size_t count() { return clientCount; } private: static size_t clientCount; }; size_t ClientCounter::clientCount = 0; // --< start CLient to listen for connections and push them to the Blocking Queue >----------- void MsgClient::startingClient(BQueue &sharedQueue) { Utils::Title("Requirement5 : Client Program is started. Select the files from the browse files button and uplaod them to the Repository.The files are uploaded to the Repository srver based on the project name as category.Click on View categories to view the categories in the Repository.On clicking the download button files are downloaded into clientRepository folder"); std::thread t2([&]() { try { SocketSystem ss; SocketListener sl(8081, Socket::IP6); BlockingQueue<HttpMessage> msgQ; ClientHandler cp(msgQ); cp.ProcessingCommandLine(); cout << "\n Client is enabled to listen on a socket for new messages...\n"; sl.start(cp); while (true) { HttpMessage msg = msgQ.deQ(); size_t numBytes = 0; size_t pos = msg.findAttribute("content-length"); string getMessageType = msg.findValue("messageType"); if ((pos < msg.attributes().size()) && (msg.findValue("messageType").compare("HtmFileContentReplyFromServer") != 0)) { numBytes = Converter<size_t>::toValue(msg.attributes()[pos].second); Socket::byte* buffer = new Socket::byte[numBytes + 1]; msg.getBody(buffer, numBytes); buffer[numBytes] = '\0'; cout << "\nMessage being enqueued to sender channel is " << msg.findValue("messageType") << "$" << buffer << endl; sharedQueue.enQ(msg.findValue("messageType")+ "$" + buffer); delete[] buffer; } } } catch (std::exception& exc) { std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << "\n Exception caught: " << exMsg << endl; } }); t2.detach(); } bool ClientHandler::ProcessingCommandLine() { return true; } //---This method is called at the start of the mock channel so the js and css files are downloaded at the start of the client void MsgClient::downloadOfScriptsOnStartUpOfClient() { Utils::Title("Client Requirements:On Client start js and css files are downloaded into the Client Repository"); ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); try { SocketSystem ssytem; SocketConnecter socketi; while (!socketi.connect("localhost", 8080)) { cout << "\n MsgClient::downloadJsAndCssFromServer:: Client waiting to connect to the server \n"; ::Sleep(100); } HttpMessage msg = makeMessageToSend(2, "downloadJsAndCssFromServer", "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "downloadJsAndCssFromServer")); sendMessageFromClient(msg, socketi); cout << " MsgClient::Message has been sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << "\n Exeception caught in the method downloadJsAndCssFromServer: \n" << exMsg; } } //----< factory for creating messages >------------------------------ /* * This function only creates one type of message for this demo. * - To do that the first argument is 1, e.g., index for the type of message to create. * - The body may be an empty string. * - EndPoints are strings of the form ip:port, e.g., localhost:8081. This argument * expects the receiver EndPoint for the toAddr attribute. */ HttpMessage MsgClient::makeMessageToSend(size_t n, const std::string& body, const EndPoint& ep) { HttpMessage message; HttpMessage::Attribute attribut; EndPoint myEndPoint = "localhost::8081"; // ToDo: make this a member of the sender // given to its constructor. switch (n) { case 1: message.clear(); message.addAttribute(HttpMessage::attribute("POST", "Message")); message.addAttribute(HttpMessage::Attribute("mode", "oneway")); message.addAttribute(HttpMessage::parseAttribute("toAddr:" + ep)); message.addAttribute(HttpMessage::parseAttribute("fromAddr:" + myEndPoint)); message.addBody(body); if (body.size() > 0) { attribut = HttpMessage::attribute("content-length", Converter<size_t>::toString(body.size())); message.addAttribute(attribut); } break; case 2: message.clear(); message.addAttribute(HttpMessage::attribute("GET", "Message")); message.addAttribute(HttpMessage::Attribute("mode", "Duplex")); message.addAttribute(HttpMessage::parseAttribute("toAddr:" + ep)); message.addAttribute(HttpMessage::parseAttribute("fromAddr:" + myEndPoint)); message.addBody(body); if (body.size() > 0) { attribut = HttpMessage::attribute("content-length", Converter<size_t>::toString(body.size())); message.addAttribute(attribut); } break; default: message.clear(); message.addAttribute(HttpMessage::attribute("Error", "unknown message type")); } return message; } //----This message handles the request for code analysis from the Client side void MsgClient::requestCodeAnaysisExecutive() { ClientCounter ccounter; size_t myCount = ccounter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << " \n MsgClient::executeSingleMessage::A request for codeAnalyzer has been recieved from wpf by client \n"; cout << "Starting HttpMessage client " << myCountString << "on thread " << Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()); try { SocketSystem ssytem; SocketConnecter socketi; while (!socketi.connect("localhost", 8080)) { // Show::write("\n MsgClient::sendCodeAnalysisToolRequest:: Client waiting to connect to the server \n"); cout << "\n MsgClient::sendCodeAnalysisToolRequest:: Client waiting to connect to the server \n"; ::Sleep(100); } HttpMessage msg = makeMessageToSend(1, "RunCodeAnalysis", "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "runCodeAnalysisOnRepository")); sendMessageFromClient(msg, socketi); cout << " MsgClient::sendCodeAnalysisToolRequest::Message has been sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { //Show::write("\n Exeception caught in the method sendCodeAnalysisToolRequest: \n"); std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; //Show::write(exMsg); cout << "\n Exeception caught in the method sendCodeAnalysisToolRequest: \n" << exMsg; } } //----< send message using socket >---------------------------------- void MsgClient::sendMessageFromClient(HttpMessage& msg, Socket& socket) { cout << "\n MsgClient::sendMessage : The message being sent from client end is: " << msg.toString() << "\n\n"; std::string msgString = msg.toString(); socket.send(msgString.size(), (Socket::byte*)msgString.c_str()); } //----< send file using socket >------------------------------------- /* * - Sends a message to tell receiver a file is coming. * - Then sends a stream of bytes until the entire file * has been sent. * - Sends in binary mode which works for either text or binary. */ bool MsgClient::sendFileFromClient(const std::string& fullFilePath, Socket& socket) { std::string fqname = fullFilePath; FileSystem::FileInfo fi(fqname); size_t fileSize = fi.size(); std::string sizeString = Converter<size_t>::toString(fileSize); FileSystem::File file(fqname); file.open(FileSystem::File::in, FileSystem::File::binary); if (!file.isGood()) { Show::write("File is not good to be read"); cout << "File is not in good state to be read \n"; return false; } /* Get only filename from file path */ size_t found = fullFilePath.find_last_of("\\"); std::string filename = fullFilePath.substr(found + 1); std::string getPath = fullFilePath.substr(0, found); std::string getDirectory = getPath.substr(getPath.find_last_of("\\") + 1); HttpMessage msg = makeMessageToSend(1, "", "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("file", filename)); msg.addAttribute(HttpMessage::Attribute("content-length", sizeString)); msg.addAttribute(HttpMessage::Attribute("directory", getDirectory)); sendMessageFromClient(msg, socket); const size_t BlockSize = 2048; Socket::byte buffer[BlockSize]; while (true) { FileSystem::Block blk = file.getBlock(BlockSize); if (blk.size() == 0) break; for (size_t i = 0; i < blk.size(); ++i) buffer[i] = blk[i]; socket.send(blk.size(), buffer); if (!file.isGood()) break; } cout << "\n The file " << filename << " has been sent from the client end \n"; file.close(); return true; } //---- This method process the Run code anayzer request coming from the Client GUI void MsgClient::processRunCodeAnalysisFromClient(string requestMsg) { ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << " \n MsgClient::executeSingleFileDownloadMessage:: A request for downloadfile has been recieved from wpf by client \n"; cout << "Starting HttpMessage client" + myCountString + " on thread " + Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()) << endl; try { SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout << "\n MsgClient::executeRunCodeAnalyzerOnServer:: Client waiting to connect to the server \n" << endl; ::Sleep(100); } HttpMessage msg = makeMessageToSend(1, requestMsg, "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "runCodeAnalyzer")); cout << endl; sendMessageFromClient(msg, si); cout << " MsgClient::executeRunCodeAnalyzerOnServer::Message has been sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { cout << "\n Exeception caught in the method executeRunCodeAnalyzerOnServer: \n"; std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << exMsg << endl; } } //------Thie method processes the Delete Request coming from the Client GUI void MsgClient::processDeleteRequestFromClient(string splitMsg) { ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << " \n MsgClient::executeSingleFileDeleteRequest:: A request for deletFile has been recieved from wpf by client \n"; cout << "Starting HttpMessage client " << myCountString << "on thread " << Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()); try { SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout << "\n MsgClient::executeSingleFileDeleteRequest:: Client waiting to connect to the server \n"; ::Sleep(100); } HttpMessage msg = makeMessageToSend(1, splitMsg, "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "deleteFilesMessage")); sendMessageFromClient(msg, si); } catch (std::exception& exc) { std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << "\n Exeception caught in the method executeSingleMessage: \n" << exMsg; } } ///-----This method processes file download request coming from the Client GUI void MsgClient::processFileDownloadRequest(string splitMsg) { ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << " \n MsgClient::processFileDownloadRequest:: A request for downloadfile has been recieved from wpf by client" << endl; cout << "Starting HttpMessage client" + myCountString + " on thread " + Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()) << endl; try { SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout<<"\n MsgClient::processFileDownloadRequest:: Client waiting to connect to the server \n"<<endl; ::Sleep(100); } HttpMessage msg = makeMessageToSend(2, splitMsg, "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "downloadFileFromServer")); cout << endl; sendMessageFromClient(msg, si); cout << " MsgClient::processFileDownloadRequest::Message has been sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { cout<<"\n Exeception caught in the method processFileDownloadRequest: \n"; std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << exMsg << endl; } } //----This method processes the fetching all the files based on the category from the Repository void MsgClient::processGetAllFilesFromRepositoryForAParticluarCategorySpecified(string msg) { std::string filecategorySelectedByClient = msg.substr(msg.find('#') + 1); cout << "\n MsgClient::processGetAllFilesFromRepoForAParticluarCategory::filecategory selected by the user is: " << filecategorySelectedByClient << endl; cout << endl; cout << " MsgClient::processGetAllFilesFromRepoForAParticluarCategory::A request for getFiles has been recieved from wpf by client" << endl; cout << endl; ClientCounter ccounter; size_t myCount = ccounter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << "Starting HttpMessage client" + myCountString + " on thread " + Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()) << endl; cout << endl; cout << "\nA request for getfiles has been recieved from wpf by client" << endl; cout << endl; try { SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout << "\n MsgClient::processGetAllFilesFromRepoForAParticluarCategory:: Client waiting to connect to the server \n" << endl; ::Sleep(100); } HttpMessage msg = makeMessageToSend(2, "getFilesRequest", "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "getFileNamesFromServer")); msg.addAttribute(HttpMessage::Attribute("FileCategory", filecategorySelectedByClient)); cout << endl; sendMessageFromClient(msg, si); cout << " MsgClient::processGetAllFilesFromRepoForAParticluarCategory::Message has been sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { cout << "\n Exeception caught in the method processGetAllFilesFromRepoForAParticluarCategory: \n"; std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << exMsg << endl; } } //-------This method process get all categories from the Repository on Client GUI request void MsgClient::processGetCategoriesFromClient() { try { cout << endl; cout << " MsgClient::processGetCategoriesMessageFromClient::A request for getcategories has been recieved from wpf by client" << endl; cout << endl; ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout << "Starting HttpMessage client" + myCountString + " on thread " + Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()) << endl; cout << endl; cout << endl; cout << "\nA request for processGetCategoriesMessageFromClient has been recieved from wpf by client" << endl; cout << endl; SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout << "\n MsgClient::executeGetCategoriesMessage:: Client waiting to connect to the server \n" << endl; ::Sleep(100); } HttpMessage msg = makeMessageToSend(2, "getcategoriesrequest", "localhost::8080"); msg.addAttribute(HttpMessage::Attribute("messageType", "getCategories")); cout << endl; sendMessageFromClient(msg, si); cout << " MsgClient::processGetCategoriesMessageFromClient::Message being sent to the Repository server from the Client" << endl; } catch (std::exception& exc) { cout << "\n Exeception caught in the method processGetCategoriesMessageFromClient: \n"; std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << exMsg << endl; } } //------This method processes the upload file request coming from the Client GUI void MsgClient::processUploadFromClient(string filepath) { ClientCounter counter; size_t myCount = counter.count(); std::string myCountString = Utilities::Converter<size_t>::toString(myCount); cout<<" \n MsgClient::processUploadMessageFromClient:: A request for uploadfile has been recieved from wpf by client \n"<<endl; cout << "Starting HttpMessage client" + myCountString + " on thread " + Utilities::Converter<std::thread::id>::toString(std::this_thread::get_id()) << endl; try { SocketSystem ss; SocketConnecter si; while (!si.connect("localhost", 8080)) { cout << "\n MsgClient::processUploadMessageFromClient:: Client waiting to connect to the server \n" << endl; ::Sleep(100); } sendFileFromClient(filepath, si); } catch (std::exception& exc) { cout << "\n Exeception caught in the method processUploadMessageFromClient: \n"; std::string exMsg = "\n " + std::string(exc.what()) + "\n\n"; cout << exMsg << endl; } } #ifdef TEST_MESSAGE_CLIENT int main(int argc, char* argv[]) { ::SetConsoleTitle("Clients Running on Threads"); Show::title("Demonstrating two HttpMessage Clients each running on a child thread"); MsgClient c1; std::thread t1( [&]() { c1.execute(100, 20); } // 20 messages 100 millisec apart ); std::thread t2([&]() { c1.startReceiver(argc, argv); }); //MsgClient c2; //std::thread t2( // [&]() { c2.execute(120, 20); } // 20 messages 120 millisec apart //); t1.join(); t2.join(); //t2.join(); getchar(); } #endif // TEST_MESSAGE_CLIENT
[ "rmuthyal@outlook.com" ]
rmuthyal@outlook.com
e91890a0cc8a7544ac799e5ae8b6fc3ba6423695
535d1b93fbe05923e2defac0f7c218bd64559e0d
/CarmenJuego/Proyecto/Carmen/bin/windows/obj/include/flixel/input/gamepad/lists/FlxGamepadAnalogStateList.h
bef69229a53970fdf4994a7a85fc9752d1dec579
[]
no_license
XxKarikyXx/ProgVJ1
af9a9f4d7608912e1b2bab9726266b9f4ef5f44d
d26e335379a001cce21d7cd87461d75169391222
refs/heads/develop
2020-03-13T12:44:19.172929
2018-06-05T17:58:01
2018-06-05T17:58:01
131,125,411
0
0
null
2018-05-09T05:12:42
2018-04-26T08:35:17
Haxe
UTF-8
C++
false
true
2,936
h
// Generated by Haxe 3.4.2 (git build master @ 890f8c7) #ifndef INCLUDED_flixel_input_gamepad_lists_FlxGamepadAnalogStateList #define INCLUDED_flixel_input_gamepad_lists_FlxGamepadAnalogStateList #ifndef HXCPP_H #include <hxcpp.h> #endif HX_DECLARE_CLASS3(flixel,input,gamepad,FlxGamepad) HX_DECLARE_CLASS4(flixel,input,gamepad,lists,FlxGamepadAnalogStateList) HX_DECLARE_CLASS2(flixel,util,IFlxDestroyable) namespace flixel{ namespace input{ namespace gamepad{ namespace lists{ class HXCPP_CLASS_ATTRIBUTES FlxGamepadAnalogStateList_obj : public hx::Object { public: typedef hx::Object super; typedef FlxGamepadAnalogStateList_obj OBJ_; FlxGamepadAnalogStateList_obj(); public: enum { _hx_ClassId = 0x73f307b2 }; void __construct(int status, ::flixel::input::gamepad::FlxGamepad gamepad); inline void *operator new(size_t inSize, bool inContainer=true,const char *inName="flixel.input.gamepad.lists.FlxGamepadAnalogStateList") { return hx::Object::operator new(inSize,inContainer,inName); } inline void *operator new(size_t inSize, int extra) { return hx::Object::operator new(inSize+extra,true,"flixel.input.gamepad.lists.FlxGamepadAnalogStateList"); } static hx::ObjectPtr< FlxGamepadAnalogStateList_obj > __new(int status, ::flixel::input::gamepad::FlxGamepad gamepad); static hx::ObjectPtr< FlxGamepadAnalogStateList_obj > __alloc(hx::Ctx *_hx_ctx,int status, ::flixel::input::gamepad::FlxGamepad gamepad); static void * _hx_vtable; static Dynamic __CreateEmpty(); static Dynamic __Create(hx::DynamicArray inArgs); //~FlxGamepadAnalogStateList_obj(); HX_DO_RTTI_ALL; hx::Val __Field(const ::String &inString, hx::PropertyAccess inCallProp); hx::Val __SetField(const ::String &inString,const hx::Val &inValue, hx::PropertyAccess inCallProp); void __GetFields(Array< ::String> &outFields); static void __register(); void __Mark(HX_MARK_PARAMS); void __Visit(HX_VISIT_PARAMS); bool _hx_isInstanceOf(int inClassId); ::String __ToString() const { return HX_HCSTRING("FlxGamepadAnalogStateList","\x10","\xe1","\xb0","\xbc"); } ::flixel::input::gamepad::FlxGamepad gamepad; int status; bool get_LEFT_STICK(); ::Dynamic get_LEFT_STICK_dyn(); bool get_LEFT_STICK_X(); ::Dynamic get_LEFT_STICK_X_dyn(); bool get_LEFT_STICK_Y(); ::Dynamic get_LEFT_STICK_Y_dyn(); bool get_RIGHT_STICK(); ::Dynamic get_RIGHT_STICK_dyn(); bool get_RIGHT_STICK_X(); ::Dynamic get_RIGHT_STICK_X_dyn(); bool get_RIGHT_STICK_Y(); ::Dynamic get_RIGHT_STICK_Y_dyn(); bool checkXY(int id); ::Dynamic checkXY_dyn(); bool checkX(int id); ::Dynamic checkX_dyn(); bool checkY(int id); ::Dynamic checkY_dyn(); bool checkRaw(int RawID,int Status); ::Dynamic checkRaw_dyn(); }; } // end namespace flixel } // end namespace input } // end namespace gamepad } // end namespace lists #endif /* INCLUDED_flixel_input_gamepad_lists_FlxGamepadAnalogStateList */
[ "kariky@hotmail.es" ]
kariky@hotmail.es
d2503ac449c7123c892dffe34addf66bad3624b3
9a9588a0c4a0d9493dd347d90a494bdea17076bb
/frameworks/lir/io/CFileUtils.h
190c23015f1395ef6326d65f286eccb04aa382d9
[]
no_license
sunjinlin1024/LIR
1e2842ffdec8b245c59f96901e862c78f2fc6e49
0378281d7fcf1a43418d68c6223e80ddcca831be
refs/heads/master
2021-05-15T15:42:43.896017
2018-02-28T08:04:09
2018-02-28T08:04:09
106,917,088
0
0
null
null
null
null
UTF-8
C++
false
false
8,358
h
#ifndef ___LIRFILEUTILS_H__ #define ___LIRFILEUTILS_H__ #include <string> #include <vector> #include <unordered_map> #include <type_traits> #include "platform/LPlatformMacros.h" //#include "base/ccTypes.h" //#include "base/CCValue.h" //#include "base/CCData.h" //#include "base/CCAsyncTaskPool.h" //#include "base/CCScheduler.h" //#include "base/CCDirector.h" NS_LIR_BEGIN /** Helper class to handle file operations. */ class CC_DLL FileUtils { public: /** * Gets the instance of FileUtils. */ static FileUtils* getInstance(); static void destroyInstance(); static void setDelegate(FileUtils *delegate); virtual ~FileUtils(); virtual void purgeCachedEntries(); virtual std::string getStringFromFile(const std::string& filename); virtual void getStringFromFile(const std::string& path, std::function<void(std::string)> callback); virtual Data getDataFromFile(const std::string& filename); virtual void getDataFromFile(const std::string& filename, std::function<void(Data)> callback); enum class Status { OK = 0, NotExists = 1, // File not exists OpenFailed = 2, // Open file failed. ReadFailed = 3, // Read failed NotInitialized = 4, // FileUtils is not initializes TooLarge = 5, // The file is too large (great than 2^32-1) ObtainSizeFailed = 6 // Failed to obtain the file size. }; virtual Status getContents(const std::string& filename, ResizableBuffer* buffer); virtual unsigned char* getFileData(const std::string& filename, const char* mode, ssize_t *size); virtual unsigned char* getFileDataFromZip(const std::string& zipFilePath, const std::string& filename, ssize_t *size); virtual std::string fullPathForFilename(const std::string &filename) const; virtual void loadFilenameLookupDictionaryFromFile(const std::string &filename); virtual void setFilenameLookupDictionary(const ValueMap& filenameLookupDict); virtual std::string fullPathFromRelativeFile(const std::string &filename, const std::string &relativeFile); virtual void setSearchResolutionsOrder(const std::vector<std::string>& searchResolutionsOrder); virtual void addSearchResolutionsOrder(const std::string &order,const bool front=false); virtual const std::vector<std::string>& getSearchResolutionsOrder() const; virtual void setSearchPaths(const std::vector<std::string>& searchPaths); const std::string& getDefaultResourceRootPath() const; void setDefaultResourceRootPath(const std::string& path); void addSearchPath(const std::string & path, const bool front=false); virtual const std::vector<std::string>& getSearchPaths() const; virtual const std::vector<std::string>& getOriginalSearchPaths() const; virtual std::string getWritablePath() const = 0; virtual void setWritablePath(const std::string& writablePath); virtual void setPopupNotify(bool notify); virtual bool isPopupNotify() const; virtual bool writeToFile(const ValueMap& dict, const std::string& fullPath); virtual bool writeStringToFile(const std::string& dataStr, const std::string& fullPath); virtual void writeStringToFile(std::string dataStr, const std::string& fullPath, std::function<void(bool)> callback); virtual bool writeDataToFile(const Data& data, const std::string& fullPath); virtual void writeDataToFile(Data data, const std::string& fullPath, std::function<void(bool)> callback); virtual bool writeValueMapToFile(const ValueMap& dict, const std::string& fullPath); virtual void writeValueMapToFile(ValueMap dict, const std::string& fullPath, std::function<void(bool)> callback); virtual bool writeValueVectorToFile(const ValueVector& vecData, const std::string& fullPath); virtual void writeValueVectorToFile(ValueVector vecData, const std::string& fullPath, std::function<void(bool)> callback); virtual std::string getSuitableFOpen(const std::string& filenameUtf8) const; virtual ValueVector getValueVectorFromFile(const std::string& filename); virtual bool isFileExist(const std::string& filename) const; virtual void isFileExist(const std::string& filename, std::function<void(bool)> callback); virtual std::string getFileExtension(const std::string& filePath) const; virtual bool isAbsolutePath(const std::string& path) const; virtual bool isDirectoryExist(const std::string& dirPath) const; virtual void isDirectoryExist(const std::string& fullPath, std::function<void(bool)> callback); virtual bool createDirectory(const std::string& dirPath); virtual void createDirectory(const std::string& dirPath, std::function<void(bool)> callback); virtual bool removeDirectory(const std::string& dirPath); virtual void removeDirectory(const std::string& dirPath, std::function<void(bool)> callback); virtual bool removeFile(const std::string &filepath); virtual void removeFile(const std::string &filepath, std::function<void(bool)> callback); virtual bool renameFile(const std::string &path, const std::string &oldname, const std::string &name); virtual void renameFile(const std::string &path, const std::string &oldname, const std::string &name, std::function<void(bool)> callback); virtual bool renameFile(const std::string &oldfullpath, const std::string &newfullpath); virtual void renameFile(const std::string &oldfullpath, const std::string &newfullpath, std::function<void(bool)> callback); virtual long getFileSize(const std::string &filepath); virtual void getFileSize(const std::string &filepath, std::function<void(long)> callback); virtual std::vector<std::string> listFiles(const std::string& dirPath) const; virtual void listFilesRecursively(const std::string& dirPath, std::vector<std::string> *files) const; const std::unordered_map<std::string, std::string>& getFullPathCache() const { return _fullPathCache; } virtual std::string getNewFilename(const std::string &filename) const; protected: FileUtils(); virtual bool init(); virtual bool isFileExistInternal(const std::string& filename) const = 0; virtual bool isDirectoryExistInternal(const std::string& dirPath) const; virtual std::string getPathForFilename(const std::string& filename, const std::string& resolutionDirectory, const std::string& searchPath) const; virtual std::string getFullPathForDirectoryAndFilename(const std::string& directory, const std::string& filename) const; ValueMap _filenameLookupDict; std::vector<std::string> _searchResolutionsOrderArray; std::vector<std::string> _searchPathArray; std::vector<std::string> _originalSearchPaths; std::string _defaultResRootPath; mutable std::unordered_map<std::string, std::string> _fullPathCache; std::string _writablePath; static FileUtils* s_sharedFileUtils; virtual void valueMapCompact(ValueMap& valueMap); virtual void valueVectorCompact(ValueVector& valueVector); template<typename T, typename R, typename ...ARGS> static void performOperationOffthread(T&& action, R&& callback, ARGS&& ...args) { // Visual Studio 2013 does not support using std::bind to forward template parameters into // a lambda. To get around this, we will just copy these arguments via lambda capture #if defined(_MSC_VER) && _MSC_VER < 1900 auto lambda = [action, callback, args...]() { Director::getInstance()->getScheduler()->performFunctionInCocosThread(std::bind(callback, action(args...))); }; #else // As cocos2d-x uses c++11, we will use std::bind to leverage move sematics to // move our arguments into our lambda, to potentially avoid copying. auto lambda = std::bind([](const T& actionIn, const R& callbackIn, const ARGS& ...argsIn) { Director::getInstance()->getScheduler()->performFunctionInCocosThread(std::bind(callbackIn, actionIn(argsIn...))); }, std::forward<T>(action), std::forward<R>(callback), std::forward<ARGS>(args)...); #endif AsyncTaskPool::getInstance()->enqueue(AsyncTaskPool::TaskType::TASK_IO, [](void*){}, nullptr, std::move(lambda)); } }; // end of support group /** @} */ NS__LIREND #endif // ___LIRFILEUTILS_H__
[ "272295408@qq.com" ]
272295408@qq.com
8401e56f864d8cf965d14d8973105a6fe02fc6dc
7579d827cb7b50b438dfd9ef6fa80ba2797848c9
/sources/plug_wx/src/luna/bind_wxNonOwnedWindow.cpp
a933ac1974556c58c2e03419f0f9d46192b0c7d2
[]
no_license
roche-emmanuel/sgt
809d00b056e36b7799bbb438b8099e3036377377
ee3a550f6172c7d14179d9d171e0124306495e45
refs/heads/master
2021-05-01T12:51:39.983104
2014-09-08T03:35:15
2014-09-08T03:35:15
79,538,908
3
0
null
null
null
null
UTF-8
C++
false
false
129,382
cpp
#include <plug_common.h> #include <luna/wrappers/wrapper_wxNonOwnedWindow.h> class luna_wrapper_wxNonOwnedWindow { public: typedef Luna< wxNonOwnedWindow > luna_t; inline static bool _lg_typecheck_getTable(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } static int _bind_getTable(lua_State *L) { if (!_lg_typecheck_getTable(L)) { luaL_error(L, "luna typecheck failed in getTable function, expected prototype:\ngetTable(). Got arguments:\n%s",luna_dumpStack(L).c_str()); } wxObject* self=(Luna< wxObject >::check(L,1)); if(!self) { luaL_error(L, "Invalid object in function call getTable()"); } luna_wrapper_base* wrapper = luna_caster<wxObject,luna_wrapper_base>::cast(self); //dynamic_cast<luna_wrapper_base*>(self); if(wrapper) { CHECK_RET(wrapper->pushTable(),0,"Cannot push table from value wrapper."); return 1; } return 0; } inline static bool _lg_typecheck_fromVoid(lua_State *L) { if( lua_gettop(L)!=1 ) return false; if( !Luna<void>::has_uniqueid(L,1,3625364) ) return false; return true; } static int _bind_fromVoid(lua_State *L) { if (!_lg_typecheck_fromVoid(L)) { luaL_error(L, "luna typecheck failed in fromVoid function, expected prototype:\nfromVoid(void*). Got arguments:\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self= (wxNonOwnedWindow*)(Luna< void >::check(L,1)); if(!self) { luaL_error(L, "Invalid object in function call fromVoid(...)"); } Luna< wxNonOwnedWindow >::push(L,self,false); return 1; } inline static bool _lg_typecheck_asVoid(lua_State *L) { if( lua_gettop(L)!=1 ) return false; if( !Luna<void>::has_uniqueid(L,1,56813631) ) return false; return true; } static int _bind_asVoid(lua_State *L) { if (!_lg_typecheck_asVoid(L)) { luaL_error(L, "luna typecheck failed in fromVoid function, expected prototype:\nasVoid(). Got arguments:\n%s",luna_dumpStack(L).c_str()); } void* self= (void*)(Luna< wxObject >::check(L,1)); if(!self) { luaL_error(L, "Invalid object in function call asVoid(...)"); } Luna< void >::push(L,self,false); return 1; } // Derived class converters: static int _cast_from_wxObject(lua_State *L) { // all checked are already performed before reaching this point. //wxNonOwnedWindow* ptr= dynamic_cast< wxNonOwnedWindow* >(Luna< wxObject >::check(L,1)); wxNonOwnedWindow* ptr= luna_caster< wxObject, wxNonOwnedWindow >::cast(Luna< wxObject >::check(L,1)); if(!ptr) return 0; // Otherwise push the pointer: Luna< wxNonOwnedWindow >::push(L,ptr,false); return 1; }; // Constructor checkers: // Function checkers: inline static bool _lg_typecheck_SetShape(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_GetClassInfo(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_AcceptsFocus(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_AcceptsFocusFromKeyboard(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_AcceptsFocusRecursively(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_HasFocus(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetCanFocus(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_SetFocus(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetFocusFromKbd(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_AddChild(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_base_RemoveChild(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_base_Reparent(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_base_AlwaysShowScrollbars(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>3 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; if( luatop>2 && lua_isboolean(L,3)==0 ) return false; return true; } inline static bool _lg_typecheck_base_GetScrollPos(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_GetScrollRange(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_GetScrollThumb(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_IsScrollbarAlwaysShown(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_ScrollLines(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_ScrollPages(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_ScrollWindow(lua_State *L) { int luatop = lua_gettop(L); if( luatop<3 || luatop>4 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( luatop>3 && (lua_isnil(L,4)==0 && !Luna<void>::has_uniqueid(L,4,20234418)) ) return false; return true; } inline static bool _lg_typecheck_base_SetScrollPos(lua_State *L) { int luatop = lua_gettop(L); if( luatop<3 || luatop>4 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( luatop>3 && lua_isboolean(L,4)==0 ) return false; return true; } inline static bool _lg_typecheck_base_SetScrollbar(lua_State *L) { int luatop = lua_gettop(L); if( luatop<5 || luatop>6 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( (lua_type(L,4)!=LUA_TNUMBER || lua_tointeger(L,4) != lua_tonumber(L,4)) ) return false; if( (lua_type(L,5)!=LUA_TNUMBER || lua_tointeger(L,5) != lua_tonumber(L,5)) ) return false; if( luatop>5 && lua_isboolean(L,6)==0 ) return false; return true; } inline static bool _lg_typecheck_base_ClientToWindowSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_WindowToClientSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_Fit(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_FitInside(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetEffectiveMinSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetMaxClientSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetMaxSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetMinClientSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetMinSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetBestVirtualSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetWindowBorderSize(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_InformFirstDirection(lua_State *L) { if( lua_gettop(L)!=4 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( (lua_type(L,4)!=LUA_TNUMBER || lua_tointeger(L,4) != lua_tonumber(L,4)) ) return false; return true; } inline static bool _lg_typecheck_base_SendSizeEvent(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_SetMaxClientSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_SetMaxSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_SetMinClientSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_SetMinSize(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; return true; } inline static bool _lg_typecheck_base_SetSizeHints_overload_1(lua_State *L) { int luatop = lua_gettop(L); if( luatop<2 || luatop>4 ) return false; if( !Luna<void>::has_uniqueid(L,2,20268751) ) return false; if( (!(Luna< wxSize >::check(L,2))) ) return false; if( luatop>2 && !Luna<void>::has_uniqueid(L,3,20268751) ) return false; if( luatop>2 && (!(Luna< wxSize >::check(L,3))) ) return false; if( luatop>3 && !Luna<void>::has_uniqueid(L,4,20268751) ) return false; if( luatop>3 && (!(Luna< wxSize >::check(L,4))) ) return false; return true; } inline static bool _lg_typecheck_base_SetSizeHints_overload_2(lua_State *L) { int luatop = lua_gettop(L); if( luatop<3 || luatop>7 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( luatop>3 && (lua_type(L,4)!=LUA_TNUMBER || lua_tointeger(L,4) != lua_tonumber(L,4)) ) return false; if( luatop>4 && (lua_type(L,5)!=LUA_TNUMBER || lua_tointeger(L,5) != lua_tonumber(L,5)) ) return false; if( luatop>5 && (lua_type(L,6)!=LUA_TNUMBER || lua_tointeger(L,6) != lua_tonumber(L,6)) ) return false; if( luatop>6 && (lua_type(L,7)!=LUA_TNUMBER || lua_tointeger(L,7) != lua_tonumber(L,7)) ) return false; return true; } inline static bool _lg_typecheck_base_GetClientAreaOrigin(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_ClearBackground(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetBackgroundStyle(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetCharHeight(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetCharWidth(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetDefaultAttributes(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_Refresh(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>3 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; if( luatop>2 && (lua_isnil(L,3)==0 && !Luna<void>::has_uniqueid(L,3,20234418)) ) return false; return true; } inline static bool _lg_typecheck_base_Update(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetBackgroundStyle(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_SetFont(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_ShouldInheritColours(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetThemeEnabled(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_GetThemeEnabled(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_CanSetTransparent(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetTransparent(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_SetNextHandler(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_base_SetPreviousHandler(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,56813631)) ) return false; return true; } inline static bool _lg_typecheck_base_GetWindowStyleFlag(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetExtraStyle(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_type(L,2)!=LUA_TNUMBER ) return false; return true; } inline static bool _lg_typecheck_base_SetWindowStyleFlag(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_type(L,2)!=LUA_TNUMBER ) return false; return true; } inline static bool _lg_typecheck_base_Lower(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_Raise(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_HideWithEffect(lua_State *L) { int luatop = lua_gettop(L); if( luatop<2 || luatop>3 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( luatop>2 && (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; return true; } inline static bool _lg_typecheck_base_IsShown(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_IsShownOnScreen(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_Enable(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_Show(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_ShowWithEffect(lua_State *L) { int luatop = lua_gettop(L); if( luatop<2 || luatop>3 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( luatop>2 && (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; return true; } inline static bool _lg_typecheck_base_GetHelpTextAtPoint(lua_State *L) { if( lua_gettop(L)!=3 ) return false; if( !Luna<void>::has_uniqueid(L,2,25723480) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; return true; } inline static bool _lg_typecheck_base_GetValidator(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetValidator(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_TransferDataFromWindow(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_TransferDataToWindow(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_Validate(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetLabel(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetLayoutDirection(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetName(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetLabel(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_type(L,2)!=LUA_TSTRING ) return false; return true; } inline static bool _lg_typecheck_base_SetLayoutDirection(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_SetName(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_type(L,2)!=LUA_TSTRING ) return false; return true; } inline static bool _lg_typecheck_base_SetAcceleratorTable(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_Destroy(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_GetDropTarget(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetDropTarget(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_isnil(L,2)==0 && !Luna<void>::has_uniqueid(L,2,93694316)) ) return false; return true; } inline static bool _lg_typecheck_base_DragAcceptFiles(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_Layout(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_HasCapture(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_SetCursor(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_WarpPointer(lua_State *L) { if( lua_gettop(L)!=3 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; return true; } inline static bool _lg_typecheck_base_DoUpdateWindowUI(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( !Luna<void>::has_uniqueid(L,2,56813631) ) return false; return true; } inline static bool _lg_typecheck_base_GetHandle(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_HasMultiplePages(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_InheritAttributes(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_InitDialog(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_IsDoubleBuffered(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_IsRetained(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_IsTopLevel(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_MakeModal(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_isboolean(L,2)==0 ) return false; return true; } inline static bool _lg_typecheck_base_OnInternalIdle(lua_State *L) { if( lua_gettop(L)!=1 ) return false; return true; } inline static bool _lg_typecheck_base_RegisterHotKey(lua_State *L) { if( lua_gettop(L)!=4 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; if( (lua_type(L,3)!=LUA_TNUMBER || lua_tointeger(L,3) != lua_tonumber(L,3)) ) return false; if( (lua_type(L,4)!=LUA_TNUMBER || lua_tointeger(L,4) != lua_tonumber(L,4)) ) return false; return true; } inline static bool _lg_typecheck_base_UnregisterHotKey(lua_State *L) { if( lua_gettop(L)!=2 ) return false; if( (lua_type(L,2)!=LUA_TNUMBER || lua_tointeger(L,2) != lua_tonumber(L,2)) ) return false; return true; } inline static bool _lg_typecheck_base_UpdateWindowUI(lua_State *L) { int luatop = lua_gettop(L); if( luatop<1 || luatop>2 ) return false; if( luatop>1 && lua_type(L,2)!=LUA_TNUMBER ) return false; return true; } // Operator checkers: // (found 0 valid operators) // Constructor binds: // Function binds: // bool wxNonOwnedWindow::SetShape(const wxRegion & region) static int _bind_SetShape(lua_State *L) { if (!_lg_typecheck_SetShape(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::SetShape(const wxRegion & region) function, expected prototype:\nbool wxNonOwnedWindow::SetShape(const wxRegion & region)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } const wxRegion* region_ptr=(Luna< wxObject >::checkSubType< wxRegion >(L,2)); if( !region_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg region in wxNonOwnedWindow::SetShape function"); } const wxRegion & region=*region_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::SetShape(const wxRegion &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->SetShape(region); lua_pushboolean(L,lret?1:0); return 1; } // wxClassInfo * wxNonOwnedWindow::base_GetClassInfo() const static int _bind_base_GetClassInfo(lua_State *L) { if (!_lg_typecheck_base_GetClassInfo(L)) { luaL_error(L, "luna typecheck failed in wxClassInfo * wxNonOwnedWindow::base_GetClassInfo() const function, expected prototype:\nwxClassInfo * wxNonOwnedWindow::base_GetClassInfo() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxClassInfo * wxNonOwnedWindow::base_GetClassInfo() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxClassInfo * lret = self->wxNonOwnedWindow::GetClassInfo(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxClassInfo >::push(L,lret,false); return 1; } // bool wxNonOwnedWindow::base_AcceptsFocus() const static int _bind_base_AcceptsFocus(lua_State *L) { if (!_lg_typecheck_base_AcceptsFocus(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_AcceptsFocus() const function, expected prototype:\nbool wxNonOwnedWindow::base_AcceptsFocus() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_AcceptsFocus() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::AcceptsFocus(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_AcceptsFocusFromKeyboard() const static int _bind_base_AcceptsFocusFromKeyboard(lua_State *L) { if (!_lg_typecheck_base_AcceptsFocusFromKeyboard(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_AcceptsFocusFromKeyboard() const function, expected prototype:\nbool wxNonOwnedWindow::base_AcceptsFocusFromKeyboard() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_AcceptsFocusFromKeyboard() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::AcceptsFocusFromKeyboard(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_AcceptsFocusRecursively() const static int _bind_base_AcceptsFocusRecursively(lua_State *L) { if (!_lg_typecheck_base_AcceptsFocusRecursively(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_AcceptsFocusRecursively() const function, expected prototype:\nbool wxNonOwnedWindow::base_AcceptsFocusRecursively() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_AcceptsFocusRecursively() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::AcceptsFocusRecursively(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_HasFocus() const static int _bind_base_HasFocus(lua_State *L) { if (!_lg_typecheck_base_HasFocus(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_HasFocus() const function, expected prototype:\nbool wxNonOwnedWindow::base_HasFocus() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_HasFocus() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::HasFocus(); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_SetCanFocus(bool canFocus) static int _bind_base_SetCanFocus(lua_State *L) { if (!_lg_typecheck_base_SetCanFocus(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetCanFocus(bool canFocus) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetCanFocus(bool canFocus)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } bool canFocus=(bool)(lua_toboolean(L,2)==1); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetCanFocus(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetCanFocus(canFocus); return 0; } // void wxNonOwnedWindow::base_SetFocus() static int _bind_base_SetFocus(lua_State *L) { if (!_lg_typecheck_base_SetFocus(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetFocus() function, expected prototype:\nvoid wxNonOwnedWindow::base_SetFocus()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetFocus(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetFocus(); return 0; } // void wxNonOwnedWindow::base_SetFocusFromKbd() static int _bind_base_SetFocusFromKbd(lua_State *L) { if (!_lg_typecheck_base_SetFocusFromKbd(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetFocusFromKbd() function, expected prototype:\nvoid wxNonOwnedWindow::base_SetFocusFromKbd()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetFocusFromKbd(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetFocusFromKbd(); return 0; } // void wxNonOwnedWindow::base_AddChild(wxWindow * child) static int _bind_base_AddChild(lua_State *L) { if (!_lg_typecheck_base_AddChild(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_AddChild(wxWindow * child) function, expected prototype:\nvoid wxNonOwnedWindow::base_AddChild(wxWindow * child)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxWindow* child=(Luna< wxObject >::checkSubType< wxWindow >(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_AddChild(wxWindow *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::AddChild(child); return 0; } // void wxNonOwnedWindow::base_RemoveChild(wxWindow * child) static int _bind_base_RemoveChild(lua_State *L) { if (!_lg_typecheck_base_RemoveChild(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_RemoveChild(wxWindow * child) function, expected prototype:\nvoid wxNonOwnedWindow::base_RemoveChild(wxWindow * child)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxWindow* child=(Luna< wxObject >::checkSubType< wxWindow >(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_RemoveChild(wxWindow *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::RemoveChild(child); return 0; } // bool wxNonOwnedWindow::base_Reparent(wxWindow * newParent) static int _bind_base_Reparent(lua_State *L) { if (!_lg_typecheck_base_Reparent(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Reparent(wxWindow * newParent) function, expected prototype:\nbool wxNonOwnedWindow::base_Reparent(wxWindow * newParent)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxWindow* newParent=(Luna< wxObject >::checkSubType< wxWindow >(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Reparent(wxWindow *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Reparent(newParent); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_AlwaysShowScrollbars(bool hflag = true, bool vflag = true) static int _bind_base_AlwaysShowScrollbars(lua_State *L) { if (!_lg_typecheck_base_AlwaysShowScrollbars(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_AlwaysShowScrollbars(bool hflag = true, bool vflag = true) function, expected prototype:\nvoid wxNonOwnedWindow::base_AlwaysShowScrollbars(bool hflag = true, bool vflag = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); bool hflag=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : (bool)true; bool vflag=luatop>2 ? (bool)(lua_toboolean(L,3)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_AlwaysShowScrollbars(bool, bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::AlwaysShowScrollbars(hflag, vflag); return 0; } // int wxNonOwnedWindow::base_GetScrollPos(int orientation) const static int _bind_base_GetScrollPos(lua_State *L) { if (!_lg_typecheck_base_GetScrollPos(L)) { luaL_error(L, "luna typecheck failed in int wxNonOwnedWindow::base_GetScrollPos(int orientation) const function, expected prototype:\nint wxNonOwnedWindow::base_GetScrollPos(int orientation) const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int orientation=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call int wxNonOwnedWindow::base_GetScrollPos(int) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } int lret = self->wxNonOwnedWindow::GetScrollPos(orientation); lua_pushnumber(L,lret); return 1; } // int wxNonOwnedWindow::base_GetScrollRange(int orientation) const static int _bind_base_GetScrollRange(lua_State *L) { if (!_lg_typecheck_base_GetScrollRange(L)) { luaL_error(L, "luna typecheck failed in int wxNonOwnedWindow::base_GetScrollRange(int orientation) const function, expected prototype:\nint wxNonOwnedWindow::base_GetScrollRange(int orientation) const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int orientation=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call int wxNonOwnedWindow::base_GetScrollRange(int) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } int lret = self->wxNonOwnedWindow::GetScrollRange(orientation); lua_pushnumber(L,lret); return 1; } // int wxNonOwnedWindow::base_GetScrollThumb(int orientation) const static int _bind_base_GetScrollThumb(lua_State *L) { if (!_lg_typecheck_base_GetScrollThumb(L)) { luaL_error(L, "luna typecheck failed in int wxNonOwnedWindow::base_GetScrollThumb(int orientation) const function, expected prototype:\nint wxNonOwnedWindow::base_GetScrollThumb(int orientation) const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int orientation=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call int wxNonOwnedWindow::base_GetScrollThumb(int) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } int lret = self->wxNonOwnedWindow::GetScrollThumb(orientation); lua_pushnumber(L,lret); return 1; } // bool wxNonOwnedWindow::base_IsScrollbarAlwaysShown(int orient) const static int _bind_base_IsScrollbarAlwaysShown(lua_State *L) { if (!_lg_typecheck_base_IsScrollbarAlwaysShown(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsScrollbarAlwaysShown(int orient) const function, expected prototype:\nbool wxNonOwnedWindow::base_IsScrollbarAlwaysShown(int orient) const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int orient=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsScrollbarAlwaysShown(int) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsScrollbarAlwaysShown(orient); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_ScrollLines(int lines) static int _bind_base_ScrollLines(lua_State *L) { if (!_lg_typecheck_base_ScrollLines(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_ScrollLines(int lines) function, expected prototype:\nbool wxNonOwnedWindow::base_ScrollLines(int lines)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int lines=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_ScrollLines(int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::ScrollLines(lines); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_ScrollPages(int pages) static int _bind_base_ScrollPages(lua_State *L) { if (!_lg_typecheck_base_ScrollPages(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_ScrollPages(int pages) function, expected prototype:\nbool wxNonOwnedWindow::base_ScrollPages(int pages)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int pages=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_ScrollPages(int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::ScrollPages(pages); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_ScrollWindow(int dx, int dy, const wxRect * rect = NULL) static int _bind_base_ScrollWindow(lua_State *L) { if (!_lg_typecheck_base_ScrollWindow(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_ScrollWindow(int dx, int dy, const wxRect * rect = NULL) function, expected prototype:\nvoid wxNonOwnedWindow::base_ScrollWindow(int dx, int dy, const wxRect * rect = NULL)\nClass arguments details:\narg 3 ID = 20234418\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); int dx=(int)lua_tointeger(L,2); int dy=(int)lua_tointeger(L,3); const wxRect* rect=luatop>3 ? (Luna< wxRect >::check(L,4)) : (const wxRect*)NULL; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_ScrollWindow(int, int, const wxRect *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::ScrollWindow(dx, dy, rect); return 0; } // void wxNonOwnedWindow::base_SetScrollPos(int orientation, int pos, bool refresh = true) static int _bind_base_SetScrollPos(lua_State *L) { if (!_lg_typecheck_base_SetScrollPos(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetScrollPos(int orientation, int pos, bool refresh = true) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetScrollPos(int orientation, int pos, bool refresh = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); int orientation=(int)lua_tointeger(L,2); int pos=(int)lua_tointeger(L,3); bool refresh=luatop>3 ? (bool)(lua_toboolean(L,4)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetScrollPos(int, int, bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetScrollPos(orientation, pos, refresh); return 0; } // void wxNonOwnedWindow::base_SetScrollbar(int orientation, int position, int thumbSize, int range, bool refresh = true) static int _bind_base_SetScrollbar(lua_State *L) { if (!_lg_typecheck_base_SetScrollbar(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetScrollbar(int orientation, int position, int thumbSize, int range, bool refresh = true) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetScrollbar(int orientation, int position, int thumbSize, int range, bool refresh = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); int orientation=(int)lua_tointeger(L,2); int position=(int)lua_tointeger(L,3); int thumbSize=(int)lua_tointeger(L,4); int range=(int)lua_tointeger(L,5); bool refresh=luatop>5 ? (bool)(lua_toboolean(L,6)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetScrollbar(int, int, int, int, bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetScrollbar(orientation, position, thumbSize, range, refresh); return 0; } // wxSize wxNonOwnedWindow::base_ClientToWindowSize(const wxSize & size) const static int _bind_base_ClientToWindowSize(lua_State *L) { if (!_lg_typecheck_base_ClientToWindowSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_ClientToWindowSize(const wxSize & size) const function, expected prototype:\nwxSize wxNonOwnedWindow::base_ClientToWindowSize(const wxSize & size) const\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_ClientToWindowSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_ClientToWindowSize(const wxSize &) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::ClientToWindowSize(size); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_WindowToClientSize(const wxSize & size) const static int _bind_base_WindowToClientSize(lua_State *L) { if (!_lg_typecheck_base_WindowToClientSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_WindowToClientSize(const wxSize & size) const function, expected prototype:\nwxSize wxNonOwnedWindow::base_WindowToClientSize(const wxSize & size) const\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_WindowToClientSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_WindowToClientSize(const wxSize &) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::WindowToClientSize(size); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // void wxNonOwnedWindow::base_Fit() static int _bind_base_Fit(lua_State *L) { if (!_lg_typecheck_base_Fit(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_Fit() function, expected prototype:\nvoid wxNonOwnedWindow::base_Fit()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_Fit(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::Fit(); return 0; } // void wxNonOwnedWindow::base_FitInside() static int _bind_base_FitInside(lua_State *L) { if (!_lg_typecheck_base_FitInside(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_FitInside() function, expected prototype:\nvoid wxNonOwnedWindow::base_FitInside()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_FitInside(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::FitInside(); return 0; } // wxSize wxNonOwnedWindow::base_GetEffectiveMinSize() const static int _bind_base_GetEffectiveMinSize(lua_State *L) { if (!_lg_typecheck_base_GetEffectiveMinSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetEffectiveMinSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetEffectiveMinSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetEffectiveMinSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetEffectiveMinSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetMaxClientSize() const static int _bind_base_GetMaxClientSize(lua_State *L) { if (!_lg_typecheck_base_GetMaxClientSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetMaxClientSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetMaxClientSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetMaxClientSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetMaxClientSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetMaxSize() const static int _bind_base_GetMaxSize(lua_State *L) { if (!_lg_typecheck_base_GetMaxSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetMaxSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetMaxSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetMaxSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetMaxSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetMinClientSize() const static int _bind_base_GetMinClientSize(lua_State *L) { if (!_lg_typecheck_base_GetMinClientSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetMinClientSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetMinClientSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetMinClientSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetMinClientSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetMinSize() const static int _bind_base_GetMinSize(lua_State *L) { if (!_lg_typecheck_base_GetMinSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetMinSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetMinSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetMinSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetMinSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetBestVirtualSize() const static int _bind_base_GetBestVirtualSize(lua_State *L) { if (!_lg_typecheck_base_GetBestVirtualSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetBestVirtualSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetBestVirtualSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetBestVirtualSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetBestVirtualSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // wxSize wxNonOwnedWindow::base_GetWindowBorderSize() const static int _bind_base_GetWindowBorderSize(lua_State *L) { if (!_lg_typecheck_base_GetWindowBorderSize(L)) { luaL_error(L, "luna typecheck failed in wxSize wxNonOwnedWindow::base_GetWindowBorderSize() const function, expected prototype:\nwxSize wxNonOwnedWindow::base_GetWindowBorderSize() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxSize wxNonOwnedWindow::base_GetWindowBorderSize() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxSize stack_lret = self->wxNonOwnedWindow::GetWindowBorderSize(); wxSize* lret = new wxSize(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxSize >::push(L,lret,true); return 1; } // bool wxNonOwnedWindow::base_InformFirstDirection(int direction, int size, int availableOtherDir) static int _bind_base_InformFirstDirection(lua_State *L) { if (!_lg_typecheck_base_InformFirstDirection(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_InformFirstDirection(int direction, int size, int availableOtherDir) function, expected prototype:\nbool wxNonOwnedWindow::base_InformFirstDirection(int direction, int size, int availableOtherDir)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int direction=(int)lua_tointeger(L,2); int size=(int)lua_tointeger(L,3); int availableOtherDir=(int)lua_tointeger(L,4); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_InformFirstDirection(int, int, int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::InformFirstDirection(direction, size, availableOtherDir); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_SendSizeEvent(int flags = 0) static int _bind_base_SendSizeEvent(lua_State *L) { if (!_lg_typecheck_base_SendSizeEvent(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SendSizeEvent(int flags = 0) function, expected prototype:\nvoid wxNonOwnedWindow::base_SendSizeEvent(int flags = 0)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); int flags=luatop>1 ? (int)lua_tointeger(L,2) : (int)0; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SendSizeEvent(int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SendSizeEvent(flags); return 0; } // void wxNonOwnedWindow::base_SetMaxClientSize(const wxSize & size) static int _bind_base_SetMaxClientSize(lua_State *L) { if (!_lg_typecheck_base_SetMaxClientSize(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetMaxClientSize(const wxSize & size) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetMaxClientSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_SetMaxClientSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetMaxClientSize(const wxSize &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetMaxClientSize(size); return 0; } // void wxNonOwnedWindow::base_SetMaxSize(const wxSize & size) static int _bind_base_SetMaxSize(lua_State *L) { if (!_lg_typecheck_base_SetMaxSize(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetMaxSize(const wxSize & size) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetMaxSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_SetMaxSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetMaxSize(const wxSize &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetMaxSize(size); return 0; } // void wxNonOwnedWindow::base_SetMinClientSize(const wxSize & size) static int _bind_base_SetMinClientSize(lua_State *L) { if (!_lg_typecheck_base_SetMinClientSize(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetMinClientSize(const wxSize & size) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetMinClientSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_SetMinClientSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetMinClientSize(const wxSize &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetMinClientSize(size); return 0; } // void wxNonOwnedWindow::base_SetMinSize(const wxSize & size) static int _bind_base_SetMinSize(lua_State *L) { if (!_lg_typecheck_base_SetMinSize(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetMinSize(const wxSize & size) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetMinSize(const wxSize & size)\nClass arguments details:\narg 1 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } const wxSize* size_ptr=(Luna< wxSize >::check(L,2)); if( !size_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg size in wxNonOwnedWindow::base_SetMinSize function"); } const wxSize & size=*size_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetMinSize(const wxSize &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetMinSize(size); return 0; } // void wxNonOwnedWindow::base_SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize) static int _bind_base_SetSizeHints_overload_1(lua_State *L) { if (!_lg_typecheck_base_SetSizeHints_overload_1(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetSizeHints(const wxSize & minSize, const wxSize & maxSize = wxDefaultSize, const wxSize & incSize = wxDefaultSize)\nClass arguments details:\narg 1 ID = 20268751\narg 2 ID = 20268751\narg 3 ID = 20268751\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); const wxSize* minSize_ptr=(Luna< wxSize >::check(L,2)); if( !minSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg minSize in wxNonOwnedWindow::base_SetSizeHints function"); } const wxSize & minSize=*minSize_ptr; const wxSize* maxSize_ptr=luatop>2 ? (Luna< wxSize >::check(L,3)) : NULL; if( luatop>2 && !maxSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg maxSize in wxNonOwnedWindow::base_SetSizeHints function"); } const wxSize & maxSize=luatop>2 ? *maxSize_ptr : (const wxSize&)wxDefaultSize; const wxSize* incSize_ptr=luatop>3 ? (Luna< wxSize >::check(L,4)) : NULL; if( luatop>3 && !incSize_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg incSize in wxNonOwnedWindow::base_SetSizeHints function"); } const wxSize & incSize=luatop>3 ? *incSize_ptr : (const wxSize&)wxDefaultSize; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetSizeHints(const wxSize &, const wxSize &, const wxSize &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetSizeHints(minSize, maxSize, incSize); return 0; } // void wxNonOwnedWindow::base_SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1) static int _bind_base_SetSizeHints_overload_2(lua_State *L) { if (!_lg_typecheck_base_SetSizeHints_overload_2(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetSizeHints(int minW, int minH, int maxW = -1, int maxH = -1, int incW = -1, int incH = -1)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); int minW=(int)lua_tointeger(L,2); int minH=(int)lua_tointeger(L,3); int maxW=luatop>3 ? (int)lua_tointeger(L,4) : (int)-1; int maxH=luatop>4 ? (int)lua_tointeger(L,5) : (int)-1; int incW=luatop>5 ? (int)lua_tointeger(L,6) : (int)-1; int incH=luatop>6 ? (int)lua_tointeger(L,7) : (int)-1; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetSizeHints(int, int, int, int, int, int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetSizeHints(minW, minH, maxW, maxH, incW, incH); return 0; } // Overload binder for wxNonOwnedWindow::base_SetSizeHints static int _bind_base_SetSizeHints(lua_State *L) { if (_lg_typecheck_base_SetSizeHints_overload_1(L)) return _bind_base_SetSizeHints_overload_1(L); if (_lg_typecheck_base_SetSizeHints_overload_2(L)) return _bind_base_SetSizeHints_overload_2(L); luaL_error(L, "error in function base_SetSizeHints, cannot match any of the overloads for function base_SetSizeHints:\n base_SetSizeHints(const wxSize &, const wxSize &, const wxSize &)\n base_SetSizeHints(int, int, int, int, int, int)\n"); return 0; } // wxPoint wxNonOwnedWindow::base_GetClientAreaOrigin() const static int _bind_base_GetClientAreaOrigin(lua_State *L) { if (!_lg_typecheck_base_GetClientAreaOrigin(L)) { luaL_error(L, "luna typecheck failed in wxPoint wxNonOwnedWindow::base_GetClientAreaOrigin() const function, expected prototype:\nwxPoint wxNonOwnedWindow::base_GetClientAreaOrigin() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxPoint wxNonOwnedWindow::base_GetClientAreaOrigin() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxPoint stack_lret = self->wxNonOwnedWindow::GetClientAreaOrigin(); wxPoint* lret = new wxPoint(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxPoint >::push(L,lret,true); return 1; } // void wxNonOwnedWindow::base_ClearBackground() static int _bind_base_ClearBackground(lua_State *L) { if (!_lg_typecheck_base_ClearBackground(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_ClearBackground() function, expected prototype:\nvoid wxNonOwnedWindow::base_ClearBackground()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_ClearBackground(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::ClearBackground(); return 0; } // wxBackgroundStyle wxNonOwnedWindow::base_GetBackgroundStyle() const static int _bind_base_GetBackgroundStyle(lua_State *L) { if (!_lg_typecheck_base_GetBackgroundStyle(L)) { luaL_error(L, "luna typecheck failed in wxBackgroundStyle wxNonOwnedWindow::base_GetBackgroundStyle() const function, expected prototype:\nwxBackgroundStyle wxNonOwnedWindow::base_GetBackgroundStyle() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxBackgroundStyle wxNonOwnedWindow::base_GetBackgroundStyle() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxBackgroundStyle lret = self->wxNonOwnedWindow::GetBackgroundStyle(); lua_pushnumber(L,lret); return 1; } // int wxNonOwnedWindow::base_GetCharHeight() const static int _bind_base_GetCharHeight(lua_State *L) { if (!_lg_typecheck_base_GetCharHeight(L)) { luaL_error(L, "luna typecheck failed in int wxNonOwnedWindow::base_GetCharHeight() const function, expected prototype:\nint wxNonOwnedWindow::base_GetCharHeight() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call int wxNonOwnedWindow::base_GetCharHeight() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } int lret = self->wxNonOwnedWindow::GetCharHeight(); lua_pushnumber(L,lret); return 1; } // int wxNonOwnedWindow::base_GetCharWidth() const static int _bind_base_GetCharWidth(lua_State *L) { if (!_lg_typecheck_base_GetCharWidth(L)) { luaL_error(L, "luna typecheck failed in int wxNonOwnedWindow::base_GetCharWidth() const function, expected prototype:\nint wxNonOwnedWindow::base_GetCharWidth() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call int wxNonOwnedWindow::base_GetCharWidth() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } int lret = self->wxNonOwnedWindow::GetCharWidth(); lua_pushnumber(L,lret); return 1; } // wxVisualAttributes wxNonOwnedWindow::base_GetDefaultAttributes() const static int _bind_base_GetDefaultAttributes(lua_State *L) { if (!_lg_typecheck_base_GetDefaultAttributes(L)) { luaL_error(L, "luna typecheck failed in wxVisualAttributes wxNonOwnedWindow::base_GetDefaultAttributes() const function, expected prototype:\nwxVisualAttributes wxNonOwnedWindow::base_GetDefaultAttributes() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxVisualAttributes wxNonOwnedWindow::base_GetDefaultAttributes() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxVisualAttributes stack_lret = self->wxNonOwnedWindow::GetDefaultAttributes(); wxVisualAttributes* lret = new wxVisualAttributes(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< wxVisualAttributes >::push(L,lret,true); return 1; } // void wxNonOwnedWindow::base_Refresh(bool eraseBackground = true, const wxRect * rect = NULL) static int _bind_base_Refresh(lua_State *L) { if (!_lg_typecheck_base_Refresh(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_Refresh(bool eraseBackground = true, const wxRect * rect = NULL) function, expected prototype:\nvoid wxNonOwnedWindow::base_Refresh(bool eraseBackground = true, const wxRect * rect = NULL)\nClass arguments details:\narg 2 ID = 20234418\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); bool eraseBackground=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : (bool)true; const wxRect* rect=luatop>2 ? (Luna< wxRect >::check(L,3)) : (const wxRect*)NULL; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_Refresh(bool, const wxRect *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::Refresh(eraseBackground, rect); return 0; } // void wxNonOwnedWindow::base_Update() static int _bind_base_Update(lua_State *L) { if (!_lg_typecheck_base_Update(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_Update() function, expected prototype:\nvoid wxNonOwnedWindow::base_Update()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_Update(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::Update(); return 0; } // bool wxNonOwnedWindow::base_SetBackgroundStyle(wxBackgroundStyle style) static int _bind_base_SetBackgroundStyle(lua_State *L) { if (!_lg_typecheck_base_SetBackgroundStyle(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_SetBackgroundStyle(wxBackgroundStyle style) function, expected prototype:\nbool wxNonOwnedWindow::base_SetBackgroundStyle(wxBackgroundStyle style)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxBackgroundStyle style=(wxBackgroundStyle)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_SetBackgroundStyle(wxBackgroundStyle). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::SetBackgroundStyle(style); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_SetFont(const wxFont & font) static int _bind_base_SetFont(lua_State *L) { if (!_lg_typecheck_base_SetFont(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_SetFont(const wxFont & font) function, expected prototype:\nbool wxNonOwnedWindow::base_SetFont(const wxFont & font)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } const wxFont* font_ptr=(Luna< wxObject >::checkSubType< wxFont >(L,2)); if( !font_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg font in wxNonOwnedWindow::base_SetFont function"); } const wxFont & font=*font_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_SetFont(const wxFont &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::SetFont(font); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_ShouldInheritColours() const static int _bind_base_ShouldInheritColours(lua_State *L) { if (!_lg_typecheck_base_ShouldInheritColours(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_ShouldInheritColours() const function, expected prototype:\nbool wxNonOwnedWindow::base_ShouldInheritColours() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_ShouldInheritColours() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::ShouldInheritColours(); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_SetThemeEnabled(bool enable) static int _bind_base_SetThemeEnabled(lua_State *L) { if (!_lg_typecheck_base_SetThemeEnabled(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetThemeEnabled(bool enable) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetThemeEnabled(bool enable)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } bool enable=(bool)(lua_toboolean(L,2)==1); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetThemeEnabled(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetThemeEnabled(enable); return 0; } // bool wxNonOwnedWindow::base_GetThemeEnabled() const static int _bind_base_GetThemeEnabled(lua_State *L) { if (!_lg_typecheck_base_GetThemeEnabled(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_GetThemeEnabled() const function, expected prototype:\nbool wxNonOwnedWindow::base_GetThemeEnabled() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_GetThemeEnabled() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::GetThemeEnabled(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_CanSetTransparent() static int _bind_base_CanSetTransparent(lua_State *L) { if (!_lg_typecheck_base_CanSetTransparent(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_CanSetTransparent() function, expected prototype:\nbool wxNonOwnedWindow::base_CanSetTransparent()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_CanSetTransparent(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::CanSetTransparent(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_SetTransparent(unsigned char alpha) static int _bind_base_SetTransparent(lua_State *L) { if (!_lg_typecheck_base_SetTransparent(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_SetTransparent(unsigned char alpha) function, expected prototype:\nbool wxNonOwnedWindow::base_SetTransparent(unsigned char alpha)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } unsigned char alpha = (unsigned char)(lua_tointeger(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_SetTransparent(unsigned char). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::SetTransparent(alpha); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_SetNextHandler(wxEvtHandler * handler) static int _bind_base_SetNextHandler(lua_State *L) { if (!_lg_typecheck_base_SetNextHandler(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetNextHandler(wxEvtHandler * handler) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetNextHandler(wxEvtHandler * handler)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxEvtHandler* handler=(Luna< wxObject >::checkSubType< wxEvtHandler >(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetNextHandler(wxEvtHandler *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetNextHandler(handler); return 0; } // void wxNonOwnedWindow::base_SetPreviousHandler(wxEvtHandler * handler) static int _bind_base_SetPreviousHandler(lua_State *L) { if (!_lg_typecheck_base_SetPreviousHandler(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetPreviousHandler(wxEvtHandler * handler) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetPreviousHandler(wxEvtHandler * handler)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxEvtHandler* handler=(Luna< wxObject >::checkSubType< wxEvtHandler >(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetPreviousHandler(wxEvtHandler *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetPreviousHandler(handler); return 0; } // long wxNonOwnedWindow::base_GetWindowStyleFlag() const static int _bind_base_GetWindowStyleFlag(lua_State *L) { if (!_lg_typecheck_base_GetWindowStyleFlag(L)) { luaL_error(L, "luna typecheck failed in long wxNonOwnedWindow::base_GetWindowStyleFlag() const function, expected prototype:\nlong wxNonOwnedWindow::base_GetWindowStyleFlag() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call long wxNonOwnedWindow::base_GetWindowStyleFlag() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } long lret = self->wxNonOwnedWindow::GetWindowStyleFlag(); lua_pushnumber(L,lret); return 1; } // void wxNonOwnedWindow::base_SetExtraStyle(long exStyle) static int _bind_base_SetExtraStyle(lua_State *L) { if (!_lg_typecheck_base_SetExtraStyle(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetExtraStyle(long exStyle) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetExtraStyle(long exStyle)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } long exStyle=(long)lua_tonumber(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetExtraStyle(long). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetExtraStyle(exStyle); return 0; } // void wxNonOwnedWindow::base_SetWindowStyleFlag(long style) static int _bind_base_SetWindowStyleFlag(lua_State *L) { if (!_lg_typecheck_base_SetWindowStyleFlag(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetWindowStyleFlag(long style) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetWindowStyleFlag(long style)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } long style=(long)lua_tonumber(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetWindowStyleFlag(long). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetWindowStyleFlag(style); return 0; } // void wxNonOwnedWindow::base_Lower() static int _bind_base_Lower(lua_State *L) { if (!_lg_typecheck_base_Lower(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_Lower() function, expected prototype:\nvoid wxNonOwnedWindow::base_Lower()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_Lower(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::Lower(); return 0; } // void wxNonOwnedWindow::base_Raise() static int _bind_base_Raise(lua_State *L) { if (!_lg_typecheck_base_Raise(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_Raise() function, expected prototype:\nvoid wxNonOwnedWindow::base_Raise()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_Raise(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::Raise(); return 0; } // bool wxNonOwnedWindow::base_HideWithEffect(wxShowEffect effect, unsigned int timeout = 0) static int _bind_base_HideWithEffect(lua_State *L) { if (!_lg_typecheck_base_HideWithEffect(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_HideWithEffect(wxShowEffect effect, unsigned int timeout = 0) function, expected prototype:\nbool wxNonOwnedWindow::base_HideWithEffect(wxShowEffect effect, unsigned int timeout = 0)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); wxShowEffect effect=(wxShowEffect)lua_tointeger(L,2); unsigned int timeout=luatop>2 ? (unsigned int)lua_tointeger(L,3) : (unsigned int)0; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_HideWithEffect(wxShowEffect, unsigned int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::HideWithEffect(effect, timeout); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_IsShown() const static int _bind_base_IsShown(lua_State *L) { if (!_lg_typecheck_base_IsShown(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsShown() const function, expected prototype:\nbool wxNonOwnedWindow::base_IsShown() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsShown() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsShown(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_IsShownOnScreen() const static int _bind_base_IsShownOnScreen(lua_State *L) { if (!_lg_typecheck_base_IsShownOnScreen(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsShownOnScreen() const function, expected prototype:\nbool wxNonOwnedWindow::base_IsShownOnScreen() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsShownOnScreen() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsShownOnScreen(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_Enable(bool enable = true) static int _bind_base_Enable(lua_State *L) { if (!_lg_typecheck_base_Enable(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Enable(bool enable = true) function, expected prototype:\nbool wxNonOwnedWindow::base_Enable(bool enable = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); bool enable=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Enable(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Enable(enable); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_Show(bool show = true) static int _bind_base_Show(lua_State *L) { if (!_lg_typecheck_base_Show(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Show(bool show = true) function, expected prototype:\nbool wxNonOwnedWindow::base_Show(bool show = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); bool show=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Show(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Show(show); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_ShowWithEffect(wxShowEffect effect, unsigned int timeout = 0) static int _bind_base_ShowWithEffect(lua_State *L) { if (!_lg_typecheck_base_ShowWithEffect(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_ShowWithEffect(wxShowEffect effect, unsigned int timeout = 0) function, expected prototype:\nbool wxNonOwnedWindow::base_ShowWithEffect(wxShowEffect effect, unsigned int timeout = 0)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); wxShowEffect effect=(wxShowEffect)lua_tointeger(L,2); unsigned int timeout=luatop>2 ? (unsigned int)lua_tointeger(L,3) : (unsigned int)0; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_ShowWithEffect(wxShowEffect, unsigned int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::ShowWithEffect(effect, timeout); lua_pushboolean(L,lret?1:0); return 1; } // wxString wxNonOwnedWindow::base_GetHelpTextAtPoint(const wxPoint & point, wxHelpEvent::Origin origin) const static int _bind_base_GetHelpTextAtPoint(lua_State *L) { if (!_lg_typecheck_base_GetHelpTextAtPoint(L)) { luaL_error(L, "luna typecheck failed in wxString wxNonOwnedWindow::base_GetHelpTextAtPoint(const wxPoint & point, wxHelpEvent::Origin origin) const function, expected prototype:\nwxString wxNonOwnedWindow::base_GetHelpTextAtPoint(const wxPoint & point, wxHelpEvent::Origin origin) const\nClass arguments details:\narg 1 ID = 25723480\n\n%s",luna_dumpStack(L).c_str()); } const wxPoint* point_ptr=(Luna< wxPoint >::check(L,2)); if( !point_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg point in wxNonOwnedWindow::base_GetHelpTextAtPoint function"); } const wxPoint & point=*point_ptr; wxHelpEvent::Origin origin=(wxHelpEvent::Origin)lua_tointeger(L,3); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxString wxNonOwnedWindow::base_GetHelpTextAtPoint(const wxPoint &, wxHelpEvent::Origin) const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxString lret = self->wxNonOwnedWindow::GetHelpTextAtPoint(point, origin); lua_pushlstring(L,lret.data(),lret.size()); return 1; } // wxValidator * wxNonOwnedWindow::base_GetValidator() static int _bind_base_GetValidator(lua_State *L) { if (!_lg_typecheck_base_GetValidator(L)) { luaL_error(L, "luna typecheck failed in wxValidator * wxNonOwnedWindow::base_GetValidator() function, expected prototype:\nwxValidator * wxNonOwnedWindow::base_GetValidator()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxValidator * wxNonOwnedWindow::base_GetValidator(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxValidator * lret = self->wxNonOwnedWindow::GetValidator(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxValidator >::push(L,lret,false); return 1; } // void wxNonOwnedWindow::base_SetValidator(const wxValidator & validator) static int _bind_base_SetValidator(lua_State *L) { if (!_lg_typecheck_base_SetValidator(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetValidator(const wxValidator & validator) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetValidator(const wxValidator & validator)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } const wxValidator* validator_ptr=(Luna< wxObject >::checkSubType< wxValidator >(L,2)); if( !validator_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg validator in wxNonOwnedWindow::base_SetValidator function"); } const wxValidator & validator=*validator_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetValidator(const wxValidator &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetValidator(validator); return 0; } // bool wxNonOwnedWindow::base_TransferDataFromWindow() static int _bind_base_TransferDataFromWindow(lua_State *L) { if (!_lg_typecheck_base_TransferDataFromWindow(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_TransferDataFromWindow() function, expected prototype:\nbool wxNonOwnedWindow::base_TransferDataFromWindow()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_TransferDataFromWindow(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::TransferDataFromWindow(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_TransferDataToWindow() static int _bind_base_TransferDataToWindow(lua_State *L) { if (!_lg_typecheck_base_TransferDataToWindow(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_TransferDataToWindow() function, expected prototype:\nbool wxNonOwnedWindow::base_TransferDataToWindow()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_TransferDataToWindow(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::TransferDataToWindow(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_Validate() static int _bind_base_Validate(lua_State *L) { if (!_lg_typecheck_base_Validate(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Validate() function, expected prototype:\nbool wxNonOwnedWindow::base_Validate()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Validate(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Validate(); lua_pushboolean(L,lret?1:0); return 1; } // wxString wxNonOwnedWindow::base_GetLabel() const static int _bind_base_GetLabel(lua_State *L) { if (!_lg_typecheck_base_GetLabel(L)) { luaL_error(L, "luna typecheck failed in wxString wxNonOwnedWindow::base_GetLabel() const function, expected prototype:\nwxString wxNonOwnedWindow::base_GetLabel() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxString wxNonOwnedWindow::base_GetLabel() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxString lret = self->wxNonOwnedWindow::GetLabel(); lua_pushlstring(L,lret.data(),lret.size()); return 1; } // wxLayoutDirection wxNonOwnedWindow::base_GetLayoutDirection() const static int _bind_base_GetLayoutDirection(lua_State *L) { if (!_lg_typecheck_base_GetLayoutDirection(L)) { luaL_error(L, "luna typecheck failed in wxLayoutDirection wxNonOwnedWindow::base_GetLayoutDirection() const function, expected prototype:\nwxLayoutDirection wxNonOwnedWindow::base_GetLayoutDirection() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxLayoutDirection wxNonOwnedWindow::base_GetLayoutDirection() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxLayoutDirection lret = self->wxNonOwnedWindow::GetLayoutDirection(); lua_pushnumber(L,lret); return 1; } // wxString wxNonOwnedWindow::base_GetName() const static int _bind_base_GetName(lua_State *L) { if (!_lg_typecheck_base_GetName(L)) { luaL_error(L, "luna typecheck failed in wxString wxNonOwnedWindow::base_GetName() const function, expected prototype:\nwxString wxNonOwnedWindow::base_GetName() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxString wxNonOwnedWindow::base_GetName() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxString lret = self->wxNonOwnedWindow::GetName(); lua_pushlstring(L,lret.data(),lret.size()); return 1; } // void wxNonOwnedWindow::base_SetLabel(const wxString & label) static int _bind_base_SetLabel(lua_State *L) { if (!_lg_typecheck_base_SetLabel(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetLabel(const wxString & label) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetLabel(const wxString & label)\nClass arguments details:\narg 1 ID = 88196105\n\n%s",luna_dumpStack(L).c_str()); } wxString label(lua_tostring(L,2),lua_objlen(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetLabel(const wxString &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetLabel(label); return 0; } // void wxNonOwnedWindow::base_SetLayoutDirection(wxLayoutDirection dir) static int _bind_base_SetLayoutDirection(lua_State *L) { if (!_lg_typecheck_base_SetLayoutDirection(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetLayoutDirection(wxLayoutDirection dir) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetLayoutDirection(wxLayoutDirection dir)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxLayoutDirection dir=(wxLayoutDirection)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetLayoutDirection(wxLayoutDirection). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetLayoutDirection(dir); return 0; } // void wxNonOwnedWindow::base_SetName(const wxString & name) static int _bind_base_SetName(lua_State *L) { if (!_lg_typecheck_base_SetName(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetName(const wxString & name) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetName(const wxString & name)\nClass arguments details:\narg 1 ID = 88196105\n\n%s",luna_dumpStack(L).c_str()); } wxString name(lua_tostring(L,2),lua_objlen(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetName(const wxString &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetName(name); return 0; } // void wxNonOwnedWindow::base_SetAcceleratorTable(const wxAcceleratorTable & accel) static int _bind_base_SetAcceleratorTable(lua_State *L) { if (!_lg_typecheck_base_SetAcceleratorTable(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetAcceleratorTable(const wxAcceleratorTable & accel) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetAcceleratorTable(const wxAcceleratorTable & accel)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } const wxAcceleratorTable* accel_ptr=(Luna< wxObject >::checkSubType< wxAcceleratorTable >(L,2)); if( !accel_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg accel in wxNonOwnedWindow::base_SetAcceleratorTable function"); } const wxAcceleratorTable & accel=*accel_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetAcceleratorTable(const wxAcceleratorTable &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetAcceleratorTable(accel); return 0; } // bool wxNonOwnedWindow::base_Destroy() static int _bind_base_Destroy(lua_State *L) { if (!_lg_typecheck_base_Destroy(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Destroy() function, expected prototype:\nbool wxNonOwnedWindow::base_Destroy()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Destroy(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Destroy(); lua_pushboolean(L,lret?1:0); return 1; } // wxDropTarget * wxNonOwnedWindow::base_GetDropTarget() const static int _bind_base_GetDropTarget(lua_State *L) { if (!_lg_typecheck_base_GetDropTarget(L)) { luaL_error(L, "luna typecheck failed in wxDropTarget * wxNonOwnedWindow::base_GetDropTarget() const function, expected prototype:\nwxDropTarget * wxNonOwnedWindow::base_GetDropTarget() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call wxDropTarget * wxNonOwnedWindow::base_GetDropTarget() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } wxDropTarget * lret = self->wxNonOwnedWindow::GetDropTarget(); if(!lret) return 0; // Do not write NULL pointers. Luna< wxDropTarget >::push(L,lret,false); return 1; } // void wxNonOwnedWindow::base_SetDropTarget(wxDropTarget * target) static int _bind_base_SetDropTarget(lua_State *L) { if (!_lg_typecheck_base_SetDropTarget(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_SetDropTarget(wxDropTarget * target) function, expected prototype:\nvoid wxNonOwnedWindow::base_SetDropTarget(wxDropTarget * target)\nClass arguments details:\narg 1 ID = 93694316\n\n%s",luna_dumpStack(L).c_str()); } wxDropTarget* target=(Luna< wxDropTarget >::check(L,2)); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_SetDropTarget(wxDropTarget *). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::SetDropTarget(target); return 0; } // void wxNonOwnedWindow::base_DragAcceptFiles(bool accept) static int _bind_base_DragAcceptFiles(lua_State *L) { if (!_lg_typecheck_base_DragAcceptFiles(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_DragAcceptFiles(bool accept) function, expected prototype:\nvoid wxNonOwnedWindow::base_DragAcceptFiles(bool accept)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } bool accept=(bool)(lua_toboolean(L,2)==1); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_DragAcceptFiles(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::DragAcceptFiles(accept); return 0; } // bool wxNonOwnedWindow::base_Layout() static int _bind_base_Layout(lua_State *L) { if (!_lg_typecheck_base_Layout(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_Layout() function, expected prototype:\nbool wxNonOwnedWindow::base_Layout()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_Layout(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::Layout(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_HasCapture() const static int _bind_base_HasCapture(lua_State *L) { if (!_lg_typecheck_base_HasCapture(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_HasCapture() const function, expected prototype:\nbool wxNonOwnedWindow::base_HasCapture() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_HasCapture() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::HasCapture(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_SetCursor(const wxCursor & cursor) static int _bind_base_SetCursor(lua_State *L) { if (!_lg_typecheck_base_SetCursor(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_SetCursor(const wxCursor & cursor) function, expected prototype:\nbool wxNonOwnedWindow::base_SetCursor(const wxCursor & cursor)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } const wxCursor* cursor_ptr=(Luna< wxObject >::checkSubType< wxCursor >(L,2)); if( !cursor_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg cursor in wxNonOwnedWindow::base_SetCursor function"); } const wxCursor & cursor=*cursor_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_SetCursor(const wxCursor &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::SetCursor(cursor); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_WarpPointer(int x, int y) static int _bind_base_WarpPointer(lua_State *L) { if (!_lg_typecheck_base_WarpPointer(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_WarpPointer(int x, int y) function, expected prototype:\nvoid wxNonOwnedWindow::base_WarpPointer(int x, int y)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int x=(int)lua_tointeger(L,2); int y=(int)lua_tointeger(L,3); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_WarpPointer(int, int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::WarpPointer(x, y); return 0; } // void wxNonOwnedWindow::base_DoUpdateWindowUI(wxUpdateUIEvent & event) static int _bind_base_DoUpdateWindowUI(lua_State *L) { if (!_lg_typecheck_base_DoUpdateWindowUI(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_DoUpdateWindowUI(wxUpdateUIEvent & event) function, expected prototype:\nvoid wxNonOwnedWindow::base_DoUpdateWindowUI(wxUpdateUIEvent & event)\nClass arguments details:\narg 1 ID = 56813631\n\n%s",luna_dumpStack(L).c_str()); } wxUpdateUIEvent* event_ptr=(Luna< wxObject >::checkSubType< wxUpdateUIEvent >(L,2)); if( !event_ptr ) { luaL_error(L, "Dereferencing NULL pointer for arg event in wxNonOwnedWindow::base_DoUpdateWindowUI function"); } wxUpdateUIEvent & event=*event_ptr; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_DoUpdateWindowUI(wxUpdateUIEvent &). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::DoUpdateWindowUI(event); return 0; } // HWND wxNonOwnedWindow::base_GetHandle() const static int _bind_base_GetHandle(lua_State *L) { if (!_lg_typecheck_base_GetHandle(L)) { luaL_error(L, "luna typecheck failed in HWND wxNonOwnedWindow::base_GetHandle() const function, expected prototype:\nHWND wxNonOwnedWindow::base_GetHandle() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call HWND wxNonOwnedWindow::base_GetHandle() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } HWND stack_lret = self->wxNonOwnedWindow::GetHandle(); HWND* lret = new HWND(stack_lret); if(!lret) return 0; // Do not write NULL pointers. Luna< HWND >::push(L,lret,true); return 1; } // bool wxNonOwnedWindow::base_HasMultiplePages() const static int _bind_base_HasMultiplePages(lua_State *L) { if (!_lg_typecheck_base_HasMultiplePages(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_HasMultiplePages() const function, expected prototype:\nbool wxNonOwnedWindow::base_HasMultiplePages() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_HasMultiplePages() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::HasMultiplePages(); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_InheritAttributes() static int _bind_base_InheritAttributes(lua_State *L) { if (!_lg_typecheck_base_InheritAttributes(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_InheritAttributes() function, expected prototype:\nvoid wxNonOwnedWindow::base_InheritAttributes()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_InheritAttributes(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::InheritAttributes(); return 0; } // void wxNonOwnedWindow::base_InitDialog() static int _bind_base_InitDialog(lua_State *L) { if (!_lg_typecheck_base_InitDialog(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_InitDialog() function, expected prototype:\nvoid wxNonOwnedWindow::base_InitDialog()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_InitDialog(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::InitDialog(); return 0; } // bool wxNonOwnedWindow::base_IsDoubleBuffered() const static int _bind_base_IsDoubleBuffered(lua_State *L) { if (!_lg_typecheck_base_IsDoubleBuffered(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsDoubleBuffered() const function, expected prototype:\nbool wxNonOwnedWindow::base_IsDoubleBuffered() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsDoubleBuffered() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsDoubleBuffered(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_IsRetained() const static int _bind_base_IsRetained(lua_State *L) { if (!_lg_typecheck_base_IsRetained(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsRetained() const function, expected prototype:\nbool wxNonOwnedWindow::base_IsRetained() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsRetained() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsRetained(); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_IsTopLevel() const static int _bind_base_IsTopLevel(lua_State *L) { if (!_lg_typecheck_base_IsTopLevel(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_IsTopLevel() const function, expected prototype:\nbool wxNonOwnedWindow::base_IsTopLevel() const\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_IsTopLevel() const. Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::IsTopLevel(); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_MakeModal(bool modal = true) static int _bind_base_MakeModal(lua_State *L) { if (!_lg_typecheck_base_MakeModal(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_MakeModal(bool modal = true) function, expected prototype:\nvoid wxNonOwnedWindow::base_MakeModal(bool modal = true)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); bool modal=luatop>1 ? (bool)(lua_toboolean(L,2)==1) : (bool)true; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_MakeModal(bool). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::MakeModal(modal); return 0; } // void wxNonOwnedWindow::base_OnInternalIdle() static int _bind_base_OnInternalIdle(lua_State *L) { if (!_lg_typecheck_base_OnInternalIdle(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_OnInternalIdle() function, expected prototype:\nvoid wxNonOwnedWindow::base_OnInternalIdle()\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_OnInternalIdle(). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::OnInternalIdle(); return 0; } // bool wxNonOwnedWindow::base_RegisterHotKey(int hotkeyId, int modifiers, int virtualKeyCode) static int _bind_base_RegisterHotKey(lua_State *L) { if (!_lg_typecheck_base_RegisterHotKey(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_RegisterHotKey(int hotkeyId, int modifiers, int virtualKeyCode) function, expected prototype:\nbool wxNonOwnedWindow::base_RegisterHotKey(int hotkeyId, int modifiers, int virtualKeyCode)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int hotkeyId=(int)lua_tointeger(L,2); int modifiers=(int)lua_tointeger(L,3); int virtualKeyCode=(int)lua_tointeger(L,4); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_RegisterHotKey(int, int, int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::RegisterHotKey(hotkeyId, modifiers, virtualKeyCode); lua_pushboolean(L,lret?1:0); return 1; } // bool wxNonOwnedWindow::base_UnregisterHotKey(int hotkeyId) static int _bind_base_UnregisterHotKey(lua_State *L) { if (!_lg_typecheck_base_UnregisterHotKey(L)) { luaL_error(L, "luna typecheck failed in bool wxNonOwnedWindow::base_UnregisterHotKey(int hotkeyId) function, expected prototype:\nbool wxNonOwnedWindow::base_UnregisterHotKey(int hotkeyId)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int hotkeyId=(int)lua_tointeger(L,2); wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call bool wxNonOwnedWindow::base_UnregisterHotKey(int). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } bool lret = self->wxNonOwnedWindow::UnregisterHotKey(hotkeyId); lua_pushboolean(L,lret?1:0); return 1; } // void wxNonOwnedWindow::base_UpdateWindowUI(long flags = ::wxUPDATE_UI_NONE) static int _bind_base_UpdateWindowUI(lua_State *L) { if (!_lg_typecheck_base_UpdateWindowUI(L)) { luaL_error(L, "luna typecheck failed in void wxNonOwnedWindow::base_UpdateWindowUI(long flags = ::wxUPDATE_UI_NONE) function, expected prototype:\nvoid wxNonOwnedWindow::base_UpdateWindowUI(long flags = ::wxUPDATE_UI_NONE)\nClass arguments details:\n\n%s",luna_dumpStack(L).c_str()); } int luatop = lua_gettop(L); long flags=luatop>1 ? (long)lua_tonumber(L,2) : (long)::wxUPDATE_UI_NONE; wxNonOwnedWindow* self=Luna< wxObject >::checkSubType< wxNonOwnedWindow >(L,1); if(!self) { luaL_error(L, "Invalid object in function call void wxNonOwnedWindow::base_UpdateWindowUI(long). Got : '%s'\n%s",typeid(Luna< wxObject >::check(L,1)).name(),luna_dumpStack(L).c_str()); } self->wxNonOwnedWindow::UpdateWindowUI(flags); return 0; } // Operator binds: }; wxNonOwnedWindow* LunaTraits< wxNonOwnedWindow >::_bind_ctor(lua_State *L) { return NULL; // No valid default constructor. } void LunaTraits< wxNonOwnedWindow >::_bind_dtor(wxNonOwnedWindow* obj) { delete obj; } const char LunaTraits< wxNonOwnedWindow >::className[] = "wxNonOwnedWindow"; const char LunaTraits< wxNonOwnedWindow >::fullName[] = "wxNonOwnedWindow"; const char LunaTraits< wxNonOwnedWindow >::moduleName[] = "wx"; const char* LunaTraits< wxNonOwnedWindow >::parents[] = {"wx.wxWindow", 0}; const int LunaTraits< wxNonOwnedWindow >::hash = 48935665; const int LunaTraits< wxNonOwnedWindow >::uniqueIDs[] = {56813631, 53506535,0}; luna_RegType LunaTraits< wxNonOwnedWindow >::methods[] = { {"SetShape", &luna_wrapper_wxNonOwnedWindow::_bind_SetShape}, {"base_GetClassInfo", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetClassInfo}, {"base_AcceptsFocus", &luna_wrapper_wxNonOwnedWindow::_bind_base_AcceptsFocus}, {"base_AcceptsFocusFromKeyboard", &luna_wrapper_wxNonOwnedWindow::_bind_base_AcceptsFocusFromKeyboard}, {"base_AcceptsFocusRecursively", &luna_wrapper_wxNonOwnedWindow::_bind_base_AcceptsFocusRecursively}, {"base_HasFocus", &luna_wrapper_wxNonOwnedWindow::_bind_base_HasFocus}, {"base_SetCanFocus", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetCanFocus}, {"base_SetFocus", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetFocus}, {"base_SetFocusFromKbd", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetFocusFromKbd}, {"base_AddChild", &luna_wrapper_wxNonOwnedWindow::_bind_base_AddChild}, {"base_RemoveChild", &luna_wrapper_wxNonOwnedWindow::_bind_base_RemoveChild}, {"base_Reparent", &luna_wrapper_wxNonOwnedWindow::_bind_base_Reparent}, {"base_AlwaysShowScrollbars", &luna_wrapper_wxNonOwnedWindow::_bind_base_AlwaysShowScrollbars}, {"base_GetScrollPos", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetScrollPos}, {"base_GetScrollRange", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetScrollRange}, {"base_GetScrollThumb", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetScrollThumb}, {"base_IsScrollbarAlwaysShown", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsScrollbarAlwaysShown}, {"base_ScrollLines", &luna_wrapper_wxNonOwnedWindow::_bind_base_ScrollLines}, {"base_ScrollPages", &luna_wrapper_wxNonOwnedWindow::_bind_base_ScrollPages}, {"base_ScrollWindow", &luna_wrapper_wxNonOwnedWindow::_bind_base_ScrollWindow}, {"base_SetScrollPos", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetScrollPos}, {"base_SetScrollbar", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetScrollbar}, {"base_ClientToWindowSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_ClientToWindowSize}, {"base_WindowToClientSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_WindowToClientSize}, {"base_Fit", &luna_wrapper_wxNonOwnedWindow::_bind_base_Fit}, {"base_FitInside", &luna_wrapper_wxNonOwnedWindow::_bind_base_FitInside}, {"base_GetEffectiveMinSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetEffectiveMinSize}, {"base_GetMaxClientSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetMaxClientSize}, {"base_GetMaxSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetMaxSize}, {"base_GetMinClientSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetMinClientSize}, {"base_GetMinSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetMinSize}, {"base_GetBestVirtualSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetBestVirtualSize}, {"base_GetWindowBorderSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetWindowBorderSize}, {"base_InformFirstDirection", &luna_wrapper_wxNonOwnedWindow::_bind_base_InformFirstDirection}, {"base_SendSizeEvent", &luna_wrapper_wxNonOwnedWindow::_bind_base_SendSizeEvent}, {"base_SetMaxClientSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetMaxClientSize}, {"base_SetMaxSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetMaxSize}, {"base_SetMinClientSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetMinClientSize}, {"base_SetMinSize", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetMinSize}, {"base_SetSizeHints", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetSizeHints}, {"base_GetClientAreaOrigin", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetClientAreaOrigin}, {"base_ClearBackground", &luna_wrapper_wxNonOwnedWindow::_bind_base_ClearBackground}, {"base_GetBackgroundStyle", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetBackgroundStyle}, {"base_GetCharHeight", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetCharHeight}, {"base_GetCharWidth", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetCharWidth}, {"base_GetDefaultAttributes", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetDefaultAttributes}, {"base_Refresh", &luna_wrapper_wxNonOwnedWindow::_bind_base_Refresh}, {"base_Update", &luna_wrapper_wxNonOwnedWindow::_bind_base_Update}, {"base_SetBackgroundStyle", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetBackgroundStyle}, {"base_SetFont", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetFont}, {"base_ShouldInheritColours", &luna_wrapper_wxNonOwnedWindow::_bind_base_ShouldInheritColours}, {"base_SetThemeEnabled", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetThemeEnabled}, {"base_GetThemeEnabled", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetThemeEnabled}, {"base_CanSetTransparent", &luna_wrapper_wxNonOwnedWindow::_bind_base_CanSetTransparent}, {"base_SetTransparent", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetTransparent}, {"base_SetNextHandler", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetNextHandler}, {"base_SetPreviousHandler", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetPreviousHandler}, {"base_GetWindowStyleFlag", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetWindowStyleFlag}, {"base_SetExtraStyle", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetExtraStyle}, {"base_SetWindowStyleFlag", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetWindowStyleFlag}, {"base_Lower", &luna_wrapper_wxNonOwnedWindow::_bind_base_Lower}, {"base_Raise", &luna_wrapper_wxNonOwnedWindow::_bind_base_Raise}, {"base_HideWithEffect", &luna_wrapper_wxNonOwnedWindow::_bind_base_HideWithEffect}, {"base_IsShown", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsShown}, {"base_IsShownOnScreen", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsShownOnScreen}, {"base_Enable", &luna_wrapper_wxNonOwnedWindow::_bind_base_Enable}, {"base_Show", &luna_wrapper_wxNonOwnedWindow::_bind_base_Show}, {"base_ShowWithEffect", &luna_wrapper_wxNonOwnedWindow::_bind_base_ShowWithEffect}, {"base_GetHelpTextAtPoint", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetHelpTextAtPoint}, {"base_GetValidator", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetValidator}, {"base_SetValidator", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetValidator}, {"base_TransferDataFromWindow", &luna_wrapper_wxNonOwnedWindow::_bind_base_TransferDataFromWindow}, {"base_TransferDataToWindow", &luna_wrapper_wxNonOwnedWindow::_bind_base_TransferDataToWindow}, {"base_Validate", &luna_wrapper_wxNonOwnedWindow::_bind_base_Validate}, {"base_GetLabel", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetLabel}, {"base_GetLayoutDirection", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetLayoutDirection}, {"base_GetName", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetName}, {"base_SetLabel", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetLabel}, {"base_SetLayoutDirection", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetLayoutDirection}, {"base_SetName", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetName}, {"base_SetAcceleratorTable", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetAcceleratorTable}, {"base_Destroy", &luna_wrapper_wxNonOwnedWindow::_bind_base_Destroy}, {"base_GetDropTarget", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetDropTarget}, {"base_SetDropTarget", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetDropTarget}, {"base_DragAcceptFiles", &luna_wrapper_wxNonOwnedWindow::_bind_base_DragAcceptFiles}, {"base_Layout", &luna_wrapper_wxNonOwnedWindow::_bind_base_Layout}, {"base_HasCapture", &luna_wrapper_wxNonOwnedWindow::_bind_base_HasCapture}, {"base_SetCursor", &luna_wrapper_wxNonOwnedWindow::_bind_base_SetCursor}, {"base_WarpPointer", &luna_wrapper_wxNonOwnedWindow::_bind_base_WarpPointer}, {"base_DoUpdateWindowUI", &luna_wrapper_wxNonOwnedWindow::_bind_base_DoUpdateWindowUI}, {"base_GetHandle", &luna_wrapper_wxNonOwnedWindow::_bind_base_GetHandle}, {"base_HasMultiplePages", &luna_wrapper_wxNonOwnedWindow::_bind_base_HasMultiplePages}, {"base_InheritAttributes", &luna_wrapper_wxNonOwnedWindow::_bind_base_InheritAttributes}, {"base_InitDialog", &luna_wrapper_wxNonOwnedWindow::_bind_base_InitDialog}, {"base_IsDoubleBuffered", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsDoubleBuffered}, {"base_IsRetained", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsRetained}, {"base_IsTopLevel", &luna_wrapper_wxNonOwnedWindow::_bind_base_IsTopLevel}, {"base_MakeModal", &luna_wrapper_wxNonOwnedWindow::_bind_base_MakeModal}, {"base_OnInternalIdle", &luna_wrapper_wxNonOwnedWindow::_bind_base_OnInternalIdle}, {"base_RegisterHotKey", &luna_wrapper_wxNonOwnedWindow::_bind_base_RegisterHotKey}, {"base_UnregisterHotKey", &luna_wrapper_wxNonOwnedWindow::_bind_base_UnregisterHotKey}, {"base_UpdateWindowUI", &luna_wrapper_wxNonOwnedWindow::_bind_base_UpdateWindowUI}, {"fromVoid", &luna_wrapper_wxNonOwnedWindow::_bind_fromVoid}, {"asVoid", &luna_wrapper_wxNonOwnedWindow::_bind_asVoid}, {"getTable", &luna_wrapper_wxNonOwnedWindow::_bind_getTable}, {0,0} }; luna_ConverterType LunaTraits< wxNonOwnedWindow >::converters[] = { {"wxObject", &luna_wrapper_wxNonOwnedWindow::_cast_from_wxObject}, {0,0} }; luna_RegEnumType LunaTraits< wxNonOwnedWindow >::enumValues[] = { {0,0} };
[ "roche.emmanuel@gmail.com" ]
roche.emmanuel@gmail.com
58d8bcf60b7a8f64658bca85bdac447ba6a2ec55
007541c6c1e314d5f99acc7f7c5c7c33842650d6
/MatrixMethods.h
c9e06b0d77ff56ec1f4058d95b00fe5c72e733b5
[]
no_license
N0taN3rd/Matrix-and-Root-Solvers
d75cef6c1c77886ccdd0020df2aca4ca809011ec
8add9edaa274efd139d6153f06a9b85e1408ae4f
refs/heads/master
2016-09-05T22:44:31.777362
2015-11-11T04:25:43
2015-11-11T04:25:43
39,541,981
0
0
null
null
null
null
UTF-8
C++
false
false
694
h
#ifndef MATRIXMETHODS_H_INCLUDED #define MATRIXMETHODS_H_INCLUDED #include<vector> namespace iterativeSolvers{ std::vector<double>* jacobi(std::vector<std::vector<double>*>*, std::vector<double>*); std::vector<double>* gaussSeidel(std::vector<std::vector<double>*>* mat, std::vector<double>* b); std::vector<double>* SOR(std::vector<std::vector<double>*>* mat,std::vector<double>* b,double w); } namespace nonIterativeSolvers{ std::vector<double>* gaussianElmination(std::vector<std::vector<double>*>* mat,std::vector<double>* b); std::vector<double>* luDecomposition(std::vector<std::vector<double>*>* mat,std::vector<double>* b); } #endif // MATRIXMETHODS_H_INCLUDED
[ "n0tan3rd@gmail.com" ]
n0tan3rd@gmail.com
cdb69c0e1d5353d7864c83a0424989b7ba978c49
90c720b09228236ac0a0419b83bb4c870b1c7714
/src/spork.h
4e038c7691a295e79347048e4419e5e03f9ba5a8
[ "MIT" ]
permissive
FilokOfficial/filok
80b6fb2d4a47a20da21d8b41aeede290a80cfcb7
20dbb5f6e6f5f73b0676f4bf302233644d4d7ce1
refs/heads/master
2020-04-18T18:43:48.645184
2019-02-05T21:28:24
2019-02-05T21:28:24
167,693,244
1
0
null
null
null
null
UTF-8
C++
false
false
4,040
h
// Copyright (c) 2009-2012 The Dash developers // Copyright (c) 2015-2017 The PIVX developers // Copyright (c) 2018 The Filok developers // Distributed under the MIT/X11 software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #ifndef SPORK_H #define SPORK_H #include "base58.h" #include "key.h" #include "main.h" #include "net.h" #include "sync.h" #include "util.h" #include "Darksend.h" #include "protocol.h" #include <boost/lexical_cast.hpp> using namespace std; using namespace boost; /* Don't ever reuse these IDs for other sporks - This would result in old clients getting confused about which spork is for what */ #define SPORK_START 10001 #define SPORK_END 10015 #define SPORK_2_INSTANTX 10001 #define SPORK_3_INSTANTX_BLOCK_FILTERING 10002 #define SPORK_5_MAX_VALUE 10004 #define SPORK_7_MASTERNODE_SCANNING 10006 #define SPORK_8_MASTERNODE_PAYMENT_ENFORCEMENT 10007 #define SPORK_9_MASTERNODE_BUDGET_ENFORCEMENT 10008 #define SPORK_10_MASTERNODE_PAY_UPDATED_NODES 10009 #define SPORK_11_RESET_BUDGET 10010 #define SPORK_12_RECONSIDER_BLOCKS 10011 #define SPORK_13_ENABLE_SUPERBLOCKS 10012 #define SPORK_14_NEW_PROTOCOL_ENFORCEMENT 10013 #define SPORK_15_NEW_PROTOCOL_ENFORCEMENT_2 10014 #define SPORK_16_MN_WINNER_MINIMUM_AGE 10015 #define SPORK_2_INSTANTX_DEFAULT 978307200 //2001-1-1 #define SPORK_3_INSTANTX_BLOCK_FILTERING_DEFAULT 1424217600 //2015-2-18 #define SPORK_5_MAX_VALUE_DEFAULT 1000 //1000 FLK #define SPORK_7_MASTERNODE_SCANNING_DEFAULT 978307200 //2001-1-1 #define SPORK_8_MASTERNODE_PAYMENT_ENFORCEMENT_DEFAULT 1512864000 //10. December 2017 00:00:00 UTC #define SPORK_9_MASTERNODE_BUDGET_ENFORCEMENT_DEFAULT 1512864000 //10. December 2017 00:00:00 UTC #define SPORK_10_MASTERNODE_PAY_UPDATED_NODES_DEFAULT 4070908800 //OFF #define SPORK_11_RESET_BUDGET_DEFAULT 0 #define SPORK_12_RECONSIDER_BLOCKS_DEFAULT 0 #define SPORK_13_ENABLE_SUPERBLOCKS_DEFAULT 1512864000 //OFF #define SPORK_14_NEW_PROTOCOL_ENFORCEMENT_DEFAULT 4070908800 //OFF #define SPORK_15_NEW_PROTOCOL_ENFORCEMENT_2_DEFAULT 4070908800 // Age in seconds. This should be > MASTERNODE_REMOVAL_SECONDS to avoid #define SPORK_16_MN_WINNER_MINIMUM_AGE_DEFAULT 0 // misconfigured new nodes in the list. // Set this to zero to emulate classic behaviour class CSporkMessage; class CSporkManager; extern std::map<uint256, CSporkMessage> mapSporks; extern std::map<int, CSporkMessage> mapSporksActive; extern CSporkManager sporkManager; void ProcessSpork(CNode* pfrom, std::string& strCommand, CDataStream& vRecv); int64_t GetSporkValue(int nSporkID); bool IsSporkActive(int nSporkID); void ExecuteSpork(int nSporkID, int nValue); void ReprocessBlocks(int nBlocks); // // Spork Class // Keeps track of all of the network spork settings // class CSporkMessage { public: std::vector<unsigned char> vchSig; int nSporkID; int64_t nValue; int64_t nTimeSigned; uint256 GetHash() { uint256 n = HashQuark(BEGIN(nSporkID), END(nTimeSigned)); return n; } ADD_SERIALIZE_METHODS; template <typename Stream, typename Operation> inline void SerializationOp(Stream& s, Operation ser_action, int nType, int nVersion) { READWRITE(nSporkID); READWRITE(nValue); READWRITE(nTimeSigned); READWRITE(vchSig); } }; class CSporkManager { private: std::vector<unsigned char> vchSig; std::string strMasterPrivKey; public: CSporkManager() { } std::string GetSporkNameByID(int id); int GetSporkIDByName(std::string strName); bool UpdateSpork(int nSporkID, int64_t nValue); bool SetPrivKey(std::string strPrivKey); bool CheckSignature(CSporkMessage& spork); bool Sign(CSporkMessage& spork); void Relay(CSporkMessage& msg); }; #endif
[ "root" ]
root
59ced78b73ecfe771576de638350a7a8b7f213a6
e69396a977a31927d518c3378fb74b0fd2845587
/sshttp.cc
c4c4feff4d8eaabff8b20d2a305cde69af5267dc
[]
no_license
alex-secure/sshttp
f4488ad94485cdf629196bd3b7c46b6f334f4415
8ec60f31b2c3991107e902858a329c6efd103468
refs/heads/master
2021-01-16T01:02:17.159459
2014-08-27T14:07:00
2014-08-27T14:07:00
null
0
0
null
null
null
null
UTF-8
C++
false
false
16,021
cc
/* * Copyright (C) 2010-2014 Sebastian Krahmer. * All rights reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in the * documentation and/or other materials provided with the distribution. * 3. All advertising materials mentioning features or use of this software * must display the following acknowledgement: * This product includes software developed by Sebastian Krahmer. * 4. The name Sebastian Krahmer may not be used to endorse or promote * products derived from this software without specific prior written * permission. * * THIS SOFTWARE IS PROVIDED BY THE AUTHOR ``AS IS'' AND ANY * EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE * ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR BE LIABLE * FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL * DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS * OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) * HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT * LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY * OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF * SUCH DAMAGE. */ #include <unistd.h> #include <fcntl.h> #include <assert.h> #include <errno.h> #include <string> #include <cstring> #include <cstdlib> #include <iostream> #include <sys/types.h> #include <sys/socket.h> #include <netdb.h> #include <netinet/in.h> #include <sys/time.h> #include <sys/resource.h> #include <stdint.h> #include "sshttp.h" #include "socket.h" using namespace std; using namespace NS_Socket; const char *sshttp::why() { return err.c_str(); } int sshttp::init(int f, const string &laddr, const string &lport) { af = f; int sock_fd = socket(af, SOCK_STREAM, 0); if (sock_fd < 0) { err = "sshttp::init::socket:"; err += strerror(errno); return -1; } d_local_port = strtoul(lport.c_str(), NULL, 10); int r = 0; addrinfo hint, *ai = NULL; memset(&hint, 0, sizeof(hint)); hint.ai_family = af; hint.ai_socktype = SOCK_STREAM; if ((r = getaddrinfo(laddr.c_str(), lport.c_str(), &hint, &ai)) != 0) { err = "sshttp::init::getaddrinfo:"; err += gai_strerror(r); return -1; } if (bind_local(sock_fd, ai->ai_addr, ai->ai_addrlen, 1) < 0) { err = NS_Socket::why(); return -1; } freeaddrinfo(ai); // allocate poll array struct rlimit rl; rl.rlim_cur = (1<<16); rl.rlim_max = (1<<16); if (setrlimit(RLIMIT_NOFILE, &rl) < 0) { err = "sshttp::init::setrlimit:"; err = strerror(errno); return -1; } int flags = fcntl(sock_fd, F_GETFL); fcntl(sock_fd, F_SETFL, flags|O_NONBLOCK); pfds = new struct pollfd[rl.rlim_cur]; memset(pfds, 0, sizeof(struct pollfd) * rl.rlim_cur); for (unsigned int i = 0; i < rl.rlim_cur; ++i) pfds[i].fd = -1; // setup listening socket for polling max_fd = sock_fd; first_fd = sock_fd; pfds[sock_fd].fd = sock_fd; pfds[sock_fd].events = POLLIN|POLLOUT; fd2state[sock_fd] = new struct status; fd2state[sock_fd]->fd = sock_fd; fd2state[sock_fd]->state = STATE_ACCEPTING; return 0; } void sshttp::cleanup(int fd) { if (fd < 0) return; pfds[fd].fd = -1; pfds[fd].events = pfds[fd].revents = 0; close(fd); map<int, struct status *>::iterator i = fd2state.find(fd); if (i != fd2state.end() && i->second) { i->second->state = STATE_NONE; i->second->fd = -1; i->second->peer_fd = -1; i->second->blen = 0; } if (max_fd == fd) --max_fd; } // After a connection has gone through this shtdown(), it still needs to // be cleanup()'ed (where handle is actually closed) void sshttp::shutdown(int fd) { if (fd < 0) return; if (fd2state.count(fd) == 0 || !fd2state[fd]) return; if (fd2state[fd]->state == STATE_CLOSING || fd2state[fd]->state == STATE_NONE) return; ::shutdown(fd, SHUT_RDWR); fd2state[fd]->state = STATE_CLOSING; fd2state[fd]->blen = 0; pfds[fd].fd = -1; pfds[fd].events = pfds[fd].revents = 0; } void sshttp::calc_max_fd() { for (int i = max_fd; i >= first_fd; --i) { if (fd2state.count(i) > 0 && fd2state[i] && fd2state[i]->state != STATE_NONE) { max_fd = i; return; } if (pfds[i].fd != -1) { max_fd = i; return; } } } int sshttp::smtp_transition(int fd) { size_t n = 0; int peer_fd = -1; sockaddr_in dst4; sockaddr_in6 dst6; sockaddr *dst = (sockaddr *)&dst4, *from = (sockaddr *)&fd2state[fd]->from4; socklen_t slen = sizeof(dst4); if (af == AF_INET6) { dst = (sockaddr *)&dst6; from = (sockaddr *)&fd2state[fd]->from6; slen = sizeof(dst6); } if (fd2state[fd]->state == STATE_BANNER_SENT) { pfds[fd].revents = 0; // at least we want to see a 'SSH' or 'HEL'(O) if ((n = read(fd, fd2state[fd]->buf, sizeof(fd2state[fd]->buf))) < 3) { cleanup(fd); return 0; } if (dstaddr(fd, dst, slen) < 0) { err = "sshttp::smtp_transition::"; err += NS_Socket::why(); cleanup(fd); return -1; } // the http-port is SMTP actually in this case if (strncmp(fd2state[fd]->buf, "SSH", 3) == 0) dst6.sin6_port = dst4.sin_port = htons(d_ssh_port); else dst6.sin6_port = dst4.sin_port = htons(d_http_port); peer_fd = tcp_connect_nb(dst, slen, from, slen, 1); if (peer_fd < 0) { err = "sshttp::smtp_transition::"; err += NS_Socket::why(); cleanup(fd); return -1; } fd2state[fd]->peer_fd = peer_fd; fd2state[fd]->state = STATE_CONNECTED; fd2state[fd]->last_t = now; fd2state[fd]->blen = n; if (fd2state.count(peer_fd) == 0) { fd2state[peer_fd] = new (nothrow) status; if (!fd2state[peer_fd]) { err = "OOM"; cleanup(fd); close(peer_fd); return -1; } } fd2state[peer_fd]->fd = peer_fd; fd2state[peer_fd]->peer_fd = fd; fd2state[peer_fd]->state = STATE_BANNER_CONNECTING; fd2state[peer_fd]->last_t = now; pfds[peer_fd].fd = peer_fd; // POLLIN|POLLOUT b/c we wait for connection to finish pfds[peer_fd].events = POLLIN|POLLOUT; pfds[peer_fd].revents = 0; pfds[fd].events = POLLIN; if (peer_fd > max_fd) max_fd = peer_fd; } else if (fd2state[fd]->state == STATE_BANNER_CONNECTING) { pfds[fd].revents = 0; // special CONNECTING case, as we already sent a SMTP/SSH banner and need to // drop the legit banner now if (finish_connecting(fd) < 0) { err = "sshttp::smtp_transition::"; err += NS_Socket::why(); cleanup(fd2state[fd]->peer_fd); cleanup(fd); return -1; } fd2state[fd]->state = STATE_BANNER_CONNECTED; fd2state[fd]->last_t = now; pfds[fd].events = POLLIN; } else if (fd2state[fd]->state == STATE_BANNER_CONNECTED) { pfds[fd].revents = 0; // slurp in original banner, but drop it, as we already // sent our SMTP+SSH banner char dummy[1024], *crlf = NULL; memset(dummy, 0, sizeof(dummy)); n = recv(fd, dummy, sizeof(dummy) - 1, MSG_PEEK); if (n < 2 || (crlf = strstr(dummy, "\r\n")) == NULL) { cleanup(fd2state[fd]->peer_fd); cleanup(fd); return 0; } if (read(fd, dummy, crlf - dummy + 2) <= 0) { cleanup(fd2state[fd]->peer_fd); cleanup(fd); return 0; } // POLLOUT, because the legit peer already sent a banner reply // which we kept in the buffer for forwarding pfds[fd].events = POLLOUT; // once we are in normal STATE_CONNECTED, the state machine goes // as normal (as with HTTP) fd2state[fd]->state = STATE_CONNECTED; fd2state[fd]->last_t = now; } return 0; } int sshttp::loop() { int i = 0, afd = -1, peer_fd = -1; ssize_t n = 0, wn = 0; sockaddr_in sin4, dst4; sockaddr_in6 sin6, dst6; sockaddr *sin = (sockaddr *)&sin4, *dst = (sockaddr *)&dst4, *from = NULL; socklen_t slen = sizeof(sin); if (af == AF_INET6) { slen = sizeof(sin6); sin = (struct sockaddr *)&sin6; dst = (struct sockaddr *)&dst6; } string smtp_ssh_banner = "220 "; smtp_ssh_banner += SMTP_DOMAIN; smtp_ssh_banner += " ESMTP Postfix\n"; smtp_ssh_banner += SSH_BANNER; smtp_ssh_banner += "\r\n"; for (;;) { // Need to have a quite small timeout, since STATE_DECIDING may change without // data arrival, e.g. without a poll() trigger. if (poll(pfds, max_fd + 1, 1000) < 0) continue; now = time(NULL); // assert: pfds[i].fd == i for (i = first_fd; i <= max_fd; ++i) { if (fd2state.count(i) == 0 || !fd2state[i]) continue; if (fd2state[i]->state == STATE_CLOSING) { if (heavy_load || (now - fd2state[i]->last_t > TIMEOUT_CLOSING)) { cleanup(i); continue; } } if (pfds[i].fd == -1) continue; // timeout hanging connections (with pending data) but not accepting socket if (now - fd2state[i]->last_t >= TIMEOUT_ALIVE && fd2state[i]->state != STATE_ACCEPTING && fd2state[i]->blen > 0) { // always cleanup()/shutdown() in pairs! Otherwise re-used fd numbers // make problems cleanup(fd2state[i]->peer_fd); cleanup(i); continue; } if (fd2state[i]->state == STATE_BANNER_SENT && now - fd2state[i]->last_t >= TIMEOUT_MAILBANNER) { cleanup(i); continue; } if ((pfds[i].revents & (POLLERR|POLLHUP|POLLNVAL)) != 0) { // flush buffer to peer if there is pending data if (fd2state[i]->blen > 0 && fd2state[i]->state == STATE_CONNECTED) { writen(fd2state[i]->peer_fd, fd2state[i]->buf, fd2state[i]->blen); fd2state[i]->blen = 0; } // hangup/error for i, but let kernel flush internal send buffers // for peer. shutdown(fd2state[i]->peer_fd); cleanup(i); continue; } if (pfds[i].revents == 0 && fd2state[i]->state != STATE_DECIDING) continue; // new connection ready to accept? if (fd2state[i]->state == STATE_ACCEPTING) { pfds[i].revents = 0; for (;;) { heavy_load = 0; #ifdef LINUX26 afd = accept4(i, sin, &slen, SOCK_NONBLOCK); #else afd = accept(i, sin, &slen); #endif if (afd < 0) { if (errno == EMFILE || errno == ENFILE) heavy_load = 1; break; } nodelay(afd); pfds[afd].fd = afd; pfds[afd].events = POLLIN; pfds[afd].revents = 0; #ifndef LINUX26 if (fcntl(afd, F_SETFL, O_RDWR|O_NONBLOCK) < 0) { cleanup(afd); err = "sshttp::loop::fcntl:"; err += strerror(errno); return -1; } #endif if (fd2state.count(afd) == 0) { fd2state[afd] = new (nothrow) status; if (!fd2state[afd]) { err = "OOM"; close(afd); return -1; } } // We dont know yet which protocol is coming fd2state[afd]->fd = afd; fd2state[afd]->peer_fd = -1; fd2state[afd]->state = STATE_DECIDING; fd2state[afd]->from4 = sin4; fd2state[afd]->from6 = sin6; fd2state[afd]->last_t = now; if (afd > max_fd) max_fd = afd; } continue; // First input data from a client. Now we need to decide where we go. } else if (fd2state[i]->state == STATE_DECIDING) { // special state transition if we mux SMTP/SSH if (d_local_port == 25) { if (writen(i, smtp_ssh_banner.c_str(), smtp_ssh_banner.size()) != (ssize_t)smtp_ssh_banner.size()) { cleanup(i); continue; } pfds[i].events = POLLIN; pfds[i].revents = 0; fd2state[i]->state = STATE_BANNER_SENT; fd2state[i]->last_t = now; continue; } // allow up to two seconds for clients to send first proto stuff if (pfds[i].revents == 0 && now - fd2state[i]->last_t < TIMEOUT_PROTOCOL) continue; pfds[i].revents = 0; if (dstaddr(i, dst, slen) < 0) { err = "sshttp::loop::"; err += NS_Socket::why(); cleanup(i); return -1; } dst6.sin6_port = dst4.sin_port = htons(find_port(i)); // error? if (dst4.sin_port == 0) { err = "sshttp::loop: Connection reset while detecting protocol."; cleanup(i); return -1; } if (af == AF_INET) from = (sockaddr *)&fd2state[i]->from4; else from = (sockaddr *)&fd2state[i]->from6; peer_fd = tcp_connect_nb(dst, slen, from, slen, 1); if (peer_fd < 0) { err = "sshttp::loop::"; err += NS_Socket::why(); cleanup(i); return -1; } fd2state[i]->peer_fd = peer_fd; fd2state[i]->state = STATE_CONNECTED; fd2state[i]->last_t = now; if (fd2state.count(peer_fd) == 0) { fd2state[peer_fd] = new (nothrow) status; if (!fd2state[peer_fd]) { err = "OOM"; cleanup(i); close(peer_fd); return -1; } } fd2state[peer_fd]->fd = peer_fd; fd2state[peer_fd]->peer_fd = i; fd2state[peer_fd]->state = STATE_CONNECTING; fd2state[peer_fd]->last_t = now; pfds[peer_fd].fd = peer_fd; // POLLIN|POLLOUT b/c we wait for connection to finish pfds[peer_fd].events = POLLOUT|POLLIN; pfds[peer_fd].revents = 0; pfds[i].events = POLLIN; if (peer_fd > max_fd) max_fd = peer_fd; } else if (fd2state[i]->state == STATE_CONNECTING) { pfds[i].revents = 0; if (finish_connecting(i) < 0) { err = "sshttp::loop::"; err += NS_Socket::why(); cleanup(fd2state[i]->peer_fd); cleanup(i); return -1; } fd2state[i]->state = STATE_CONNECTED; fd2state[i]->last_t = now; pfds[i].events = POLLIN; } else if (fd2state[i]->state == STATE_CONNECTED) { // peer not ready yet if (fd2state.count(fd2state[i]->peer_fd) == 0 || !fd2state[fd2state[i]->peer_fd] || fd2state[fd2state[i]->peer_fd]->state != STATE_CONNECTED) { pfds[i].revents = 0; continue; } if (pfds[i].revents & POLLOUT) { // actually data to send? if ((n = fd2state[fd2state[i]->peer_fd]->blen) > 0) { wn = writen(i, fd2state[fd2state[i]->peer_fd]->buf, n); // error for i, but let kernel flush internal sendbuffer // for peer if (wn <= 0) { shutdown(fd2state[i]->peer_fd); cleanup(i); continue; } // non blocking write couldnt write it all at once if (wn != n) { memmove(fd2state[fd2state[i]->peer_fd]->buf, fd2state[fd2state[i]->peer_fd]->buf + wn, n - wn); pfds[i].events = POLLOUT|POLLIN; } else { pfds[i].events = POLLIN; } fd2state[fd2state[i]->peer_fd]->blen -= wn; } else pfds[i].events &= ~POLLOUT; } if (pfds[i].revents & POLLIN) { // still data in buffer? dont read() new data if (fd2state[i]->blen > 0) { pfds[i].events |= POLLIN; pfds[fd2state[i]->peer_fd].events = POLLOUT|POLLIN; pfds[i].revents = 0; continue; } n = read(i, fd2state[i]->buf, sizeof(fd2state[i]->buf)); // No need to writen() pending data on read error here, as above blen check // ensured no pending data can happen here if (n <= 0) { shutdown(fd2state[i]->peer_fd); cleanup(i); continue; } fd2state[i]->blen = n; // peer has data to write pfds[fd2state[i]->peer_fd].events = POLLOUT|POLLIN; pfds[i].events |= POLLIN; } pfds[i].revents = 0; fd2state[i]->last_t = now; fd2state[fd2state[i]->peer_fd]->last_t = now; } else { if (smtp_transition(i) < 0) return -1; } } calc_max_fd(); } return 0; } // returns 0 on error uint16_t sshttp::find_port(int fd) { int r = 0; char buf[1024]; r = recv(fd, buf, sizeof(buf) - 1, MSG_PEEK); if ((r < 0 && errno != EAGAIN && errno != EWOULDBLOCK) || r == 0) return 0; // No packet (EAGAIN or EWOULDBLOCK) ? -> SSH else if (r < 0) return d_ssh_port; if (strncmp(buf, "SSH-", 4) == 0) return d_ssh_port; // no string match? https! (covered by HTTP_PORT) return d_http_port; }
[ "sebastian.krahmer@gmail.com" ]
sebastian.krahmer@gmail.com
f77f32c23bac02dd9c6aae93c8d28dc3e9f53b33
f29aa1948839b80f9a7bfada004011c4602a79d5
/src/HDPenReg/lars/Cvlars.cpp
174d82b0dbfa6ccf9c02208f9f706597f45bce8b
[]
no_license
Ivis4ml/HDPenReg
8b502a865d5451a91e7693d83b7370c8486d33c2
6d4064a508aadda5396a3c36ffb256fe5766e80e
refs/heads/master
2021-04-28T13:34:36.527008
2018-01-19T16:06:10
2018-01-19T16:06:10
null
0
0
null
null
null
null
UTF-8
C++
false
false
8,883
cpp
/*--------------------------------------------------------------------*/ /* Copyright (C) 2013-2013 Serge Iovleff, Quentin Grimonprez This program is free software; you can redistribute it and/or modify it under the terms of the GNU Lesser General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU Lesser General Public License for more details. You should have received a copy of the GNU Lesser General Public License along with this program; if not, write to the Free Software Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA Contact : quentin.grimonprez@inria.fr */ /* * Project: MPAGenomics:: * created on: 6 juin 2013 * Author: Quentin Grimonprez **/ /** @file Cvlars.cpp * @brief In this file, implementation of the methods of @c Cvlars . **/ #include "Cvlars.h" #include <cstdlib> #include <algorithm> namespace HD { /* * Constructor with no index ( it will be a sequence from 0 to 1 by 0.01) * @param X matrix of data, a row=a individual * @param y response * @param k number of folds * @param maxSteps number of maximum step to do * @param eps epsilon (for 0) */ Cvlars::Cvlars(STK::CArrayXX const& X, STK::CVectorX const& y, int k, int maxSteps, bool intercept, STK::Real eps) : p_X_(&X) , p_y_(&y) , partition_(X.sizeRows()) , sizePartition_(k,0) , index_(101) , lambdaMode_(false) , residuals_(101,k) , cv_(101,0) , cvError_(101) , k_(k) , n_(X.sizeRows()) , p_(X.sizeCols()) , maxSteps_(maxSteps) , eps_(eps) , intercept_(intercept) { //no index given, we created a sequence of inde between 0 and 1 for(int i = 0; i<101; i++) index_[i] = (double) i/100; //create the partition partition(); } /* * Constructor * @param X matrix of data, a row=a individual * @param y response * @param k number of folds * @param index vector with real between 0 and 1 (ratio (norm coefficient)/max(norm coefficient) for which we compute the prediction error) * @param maxSteps number of maximum step to do * @param eps epsilon (for 0) */ Cvlars::Cvlars(STK::CArrayXX const& X, STK::CVectorX const& y, int k, std::vector<double> const& index, bool lambdaMode,int maxSteps, bool intercept, STK::Real eps) : p_X_(&X) , p_y_(&y) , partition_(X.sizeRows()) , sizePartition_(k,0) , index_(index) , lambdaMode_(lambdaMode) , residuals_(index.size(),k) , cv_(index.size(),0) , cvError_(index.size()) , k_(k) , n_(X.sizeRows()) , p_(X.sizeCols()) , maxSteps_(maxSteps) , eps_(eps) , intercept_(intercept) { //create the partition partition(); } /* * create a random partition in k folds */ void Cvlars::partition() { //fill the container with the index of folds for(int i = 0 ; i< n_ ;i++) { partition_[i] = i%k_; sizePartition_[i%k_]++; } /*int pos=1; for(int i = 0; i<k_; i++) { //foldRange_[i] = STK::Range(pos,sizePartition_); pos += sizePartition_[i]; }*/ //make a random rearrangement srand(time(NULL)); random_shuffle(partition_.begin(),partition_.end()); } void Cvlars::setPartition(std::vector<int> const& partition) { partition_ = partition; sizePartition_.resize(k_); for(int i = 0; i < k_; i++) sizePartition_[i] = 0; for(int i = 0; i < n_; i++) sizePartition_[partition_[i]]++; } /* * run the cross validation */ void Cvlars::run() { //search the first and last fold with the same size std::vector<int> startIndex(1,0),endIndex(1,k_-1); int k = 0; for(int i = 1; i < k_; i++) { if(sizePartition_[i]!= sizePartition_[startIndex[k]]) { startIndex.push_back(i); endIndex[k] = i-1; endIndex.push_back(k_-1); k++; } } //run for each size of fold for(int i = 0; i < (int) startIndex.size(); i++) subrun(startIndex[i],endIndex[i]); // compute mean prediction error for each index STK::CVectorX one(k_,1); cv_ = (residuals_ * one) / k_; // compute mean standard deviation of cv_ for each index for(int i = 1; i <= (int) index_.size(); i++) residuals_.row(i) -= cv_[i]; residuals_ = residuals_.square(); cvError_ = (residuals_ * one)/(k_-1)/k_; cvError_ = cvError_.sqrt(); } /* * run cross validation for folds from idxStartFold to idxEndFold * @param idxStartFold index of the first fold * @param idxEndFold index of the last fold */ void Cvlars::subrun(int idxStartFold,int idxEndFold) { //create test and control container STK::CArrayXX XControl( n_ - sizePartition_[idxStartFold], p_); STK::CVectorX yControl( n_ - sizePartition_[idxStartFold] ); STK::CArrayXX XTest(sizePartition_[idxStartFold], p_); STK::CVectorX yTest(sizePartition_[idxStartFold] ); STK::CVectorX yPred(sizePartition_[idxStartFold] ); for(int i = idxStartFold ; i <= idxEndFold ; i++) { //fill the container int index = 1; int index2 = 1; for(int j = 1; j <= n_; j++) { if(partition_[j-1] != i) { yControl[index] = (*p_y_)[j]; XControl.row(index)=p_X_->row(j); index++; } else { yTest[index2] = (*p_y_)[j]; XTest.row(index2)=p_X_->row(j); index2++; } } //run lars on control data set HD::Lars lars(XControl,yControl,maxSteps_,intercept_,eps_); lars.run(); for(int s = 1 ; s <= (int) index_.size(); s++) { //we compute the prediction of the y associated to XTest lars.predict(XTest,index_[s-1], lambdaMode_, yPred); //compute the residuals residuals_(s,i+1) = (yPred-yTest).square().sum()/sizePartition_[i]; } } } #ifdef _OPENMP void Cvlars::run2() { //search the first and last fold with the same size std::vector<int> startIndex(1,0),endIndex(1,k_-1); int k = 0; for(int i = 1; i < k_; i++) { if(sizePartition_[i]!= sizePartition_[startIndex[k]]) { startIndex.push_back(i); endIndex[k] = i-1; endIndex.push_back(k_-1); k++; } } //run for each size of fold //create test and control container #pragma omp parallel { #pragma omp for schedule(dynamic,1) for(int i = 0; i < k_ ; i++) { STK::CArrayXX XControl( n_ - sizePartition_[i], p_); STK::CVectorX yControl( n_ - sizePartition_[i] ); STK::CArrayXX XTest(sizePartition_[i], p_); STK::CVectorX yTest(sizePartition_[i] ); STK::CVectorX yPred(sizePartition_[i] ); //fill the container int index = 1; int index2 = 1; for(int j = 1; j <= n_; j++) { if(partition_[j-1] != i) { yControl[index] = (*p_y_)[j]; XControl.row(index)=p_X_->row(j); index++; } else { yTest[index2] = (*p_y_)[j]; XTest.row(index2)=p_X_->row(j); index2++; } } //run lars on control data set HD::Lars lars(XControl,yControl,maxSteps_,intercept_,eps_); lars.run(); for(int s = 1 ; s <= (int) index_.size(); s++) { //we compute the prediction of the y associated to XTest lars.predict(XTest,index_[s-1], lambdaMode_, yPred); //compute the residuals residuals_(s,i+1) = (yPred-yTest).square().sum()/sizePartition_[i]; } } }//end parallel // compute mean prediction error for each index STK::CVectorX one(k_,1); cv_ = (residuals_ * one) / k_; // compute mean standard deviation of cv_ for each index for(int i = 1; i <= (int) index_.size(); i++) residuals_.row(i) -= cv_[i]; residuals_ = residuals_.square(); cvError_ = (residuals_ * one)/(k_-1)/k_; cvError_ = cvError_.sqrt(); } #else void Cvlars::run2() { run(); } #endif }//end namespace HD
[ "csardi.gabor+cran@gmail.com" ]
csardi.gabor+cran@gmail.com
fd7ce3b28433530eacfc62c996c52db9567c5773
7fd02f95fecd7ec851814f7fd4a24986979dfe5d
/VKTS_PKG_Image/src/image/data/fn_image_data_gli.cpp
78a0053fe4974d1152cbf2806d021a2b48c155fe
[ "MIT", "LicenseRef-scancode-unknown-license-reference" ]
permissive
qicny/Vulkan-1
d269498ede0bf4412b484951e9068f4fdc735d95
0a759624079413fcb4466142f95178d664f250ab
refs/heads/master
2021-01-12T04:33:07.920982
2016-12-29T23:42:55
2016-12-29T23:42:55
null
0
0
null
null
null
null
UTF-8
C++
false
false
11,674
cpp
/** * VKTS - VulKan ToolS. * * The MIT License (MIT) * * Copyright (c) since 2014 Norbert Nopper * * Permission is hereby granted, free of charge, to any person obtaining a copy * of this software and associated documentation files (the "Software"), to deal * in the Software without restriction, including without limitation the rights * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell * copies of the Software, and to permit persons to whom the Software is * furnished to do so, subject to the following conditions: * * The above copyright notice and this permission notice shall be included in * all copies or substantial portions of the Software. * * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN * THE SOFTWARE. */ #include <gli/format.hpp> #include <gli/load.hpp> #include <gli/save.hpp> #include <vkts/image/vkts_image.hpp> #include "ImageData.hpp" namespace vkts { static VkFormat imageDataTranslateFormat(const gli::format format) { switch (format) { case gli::FORMAT_R8_UNORM_PACK8: return VK_FORMAT_R8_UNORM; case gli::FORMAT_RG8_UNORM_PACK8: return VK_FORMAT_R8G8_UNORM; case gli::FORMAT_RGB8_UNORM_PACK8: return VK_FORMAT_R8G8B8_UNORM; case gli::FORMAT_BGR8_UNORM_PACK8: return VK_FORMAT_B8G8R8_UNORM; case gli::FORMAT_RGBA8_UNORM_PACK8: return VK_FORMAT_R8G8B8A8_UNORM; case gli::FORMAT_BGRA8_UNORM_PACK8: return VK_FORMAT_B8G8R8A8_UNORM; // case gli::FORMAT_R8_SRGB_PACK8: return VK_FORMAT_R8_SRGB; case gli::FORMAT_RG8_SRGB_PACK8: return VK_FORMAT_R8G8_SRGB; case gli::FORMAT_RGB8_SRGB_PACK8: return VK_FORMAT_R8G8B8_SRGB; case gli::FORMAT_BGR8_SRGB_PACK8: return VK_FORMAT_B8G8R8_SRGB; case gli::FORMAT_RGBA8_SRGB_PACK8: return VK_FORMAT_R8G8B8A8_SRGB; case gli::FORMAT_BGRA8_SRGB_PACK8: return VK_FORMAT_B8G8R8A8_SRGB; // case gli::FORMAT_R32_SFLOAT_PACK32: return VK_FORMAT_R32_SFLOAT; case gli::FORMAT_RG32_SFLOAT_PACK32: return VK_FORMAT_R32G32_SFLOAT; case gli::FORMAT_RGB32_SFLOAT_PACK32: return VK_FORMAT_R32G32B32_SFLOAT; case gli::FORMAT_RGBA32_SFLOAT_PACK32: return VK_FORMAT_R32G32B32A32_SFLOAT; // case gli::FORMAT_RGB_DXT1_UNORM_BLOCK8: return VK_FORMAT_BC1_RGB_UNORM_BLOCK; case gli::FORMAT_RGBA_DXT1_UNORM_BLOCK8: return VK_FORMAT_BC1_RGBA_UNORM_BLOCK; case gli::FORMAT_RGBA_DXT3_UNORM_BLOCK16: return VK_FORMAT_BC2_UNORM_BLOCK; case gli::FORMAT_RGBA_DXT5_UNORM_BLOCK16: return VK_FORMAT_BC3_UNORM_BLOCK; case gli::FORMAT_R_ATI1N_UNORM_BLOCK8: return VK_FORMAT_BC4_UNORM_BLOCK; case gli::FORMAT_RG_ATI2N_UNORM_BLOCK16: return VK_FORMAT_BC5_UNORM_BLOCK; case gli::FORMAT_RGB_BP_SFLOAT_BLOCK16: return VK_FORMAT_BC6H_SFLOAT_BLOCK; case gli::FORMAT_RGBA_BP_UNORM_BLOCK16: return VK_FORMAT_BC7_UNORM_BLOCK; // case gli::FORMAT_RGB_ETC2_UNORM_BLOCK8: return VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK; case gli::FORMAT_RGBA_ETC2_UNORM_BLOCK8: return VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK; case gli::FORMAT_RGBA_ETC2_UNORM_BLOCK16: return VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK; // case gli::FORMAT_R_EAC_UNORM_BLOCK8: return VK_FORMAT_EAC_R11_UNORM_BLOCK; case gli::FORMAT_RG_EAC_UNORM_BLOCK16: return VK_FORMAT_EAC_R11G11_UNORM_BLOCK; // case gli::FORMAT_RGBA_ASTC_4X4_UNORM_BLOCK16: return VK_FORMAT_ASTC_4x4_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_5X4_UNORM_BLOCK16: return VK_FORMAT_ASTC_5x4_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_5X5_UNORM_BLOCK16: return VK_FORMAT_ASTC_5x5_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_6X5_UNORM_BLOCK16: return VK_FORMAT_ASTC_6x5_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_6X6_UNORM_BLOCK16: return VK_FORMAT_ASTC_6x6_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_8X5_UNORM_BLOCK16: return VK_FORMAT_ASTC_8x5_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_8X6_UNORM_BLOCK16: return VK_FORMAT_ASTC_8x6_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_8X8_UNORM_BLOCK16: return VK_FORMAT_ASTC_8x8_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_10X5_UNORM_BLOCK16: return VK_FORMAT_ASTC_10x5_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_10X6_UNORM_BLOCK16: return VK_FORMAT_ASTC_10x6_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_10X8_UNORM_BLOCK16: return VK_FORMAT_ASTC_10x8_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_10X10_UNORM_BLOCK16: return VK_FORMAT_ASTC_10x10_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_12X10_UNORM_BLOCK16: return VK_FORMAT_ASTC_12x10_UNORM_BLOCK; case gli::FORMAT_RGBA_ASTC_12X12_UNORM_BLOCK16: return VK_FORMAT_ASTC_12x12_UNORM_BLOCK; // default: return VK_FORMAT_UNDEFINED; } return VK_FORMAT_UNDEFINED; } static gli::format imageDataTranslateFormat(const VkFormat format) { switch (format) { case VK_FORMAT_R8_UNORM: return gli::FORMAT_R8_UNORM_PACK8; case VK_FORMAT_R8G8_UNORM: return gli::FORMAT_RG8_UNORM_PACK8; case VK_FORMAT_R8G8B8_UNORM: return gli::FORMAT_RGB8_UNORM_PACK8; case VK_FORMAT_B8G8R8_UNORM: return gli::FORMAT_BGR8_UNORM_PACK8; case VK_FORMAT_R8G8B8A8_UNORM: return gli::FORMAT_RGBA8_UNORM_PACK8; case VK_FORMAT_B8G8R8A8_UNORM: return gli::FORMAT_BGRA8_UNORM_PACK8; // case VK_FORMAT_R8_SRGB: return gli::FORMAT_R8_SRGB_PACK8; case VK_FORMAT_R8G8_SRGB: return gli::FORMAT_RG8_SRGB_PACK8; case VK_FORMAT_R8G8B8_SRGB: return gli::FORMAT_RGB8_SRGB_PACK8; case VK_FORMAT_B8G8R8_SRGB: return gli::FORMAT_BGR8_SRGB_PACK8; case VK_FORMAT_R8G8B8A8_SRGB: return gli::FORMAT_RGBA8_SRGB_PACK8; case VK_FORMAT_B8G8R8A8_SRGB: return gli::FORMAT_BGRA8_SRGB_PACK8; // case VK_FORMAT_R32_SFLOAT: return gli::FORMAT_R32_SFLOAT_PACK32; case VK_FORMAT_R32G32_SFLOAT: return gli::FORMAT_RG32_SFLOAT_PACK32; case VK_FORMAT_R32G32B32_SFLOAT: return gli::FORMAT_RGB32_SFLOAT_PACK32; case VK_FORMAT_R32G32B32A32_SFLOAT: return gli::FORMAT_RGBA32_SFLOAT_PACK32; // case VK_FORMAT_BC1_RGB_UNORM_BLOCK: return gli::FORMAT_RGB_DXT1_UNORM_BLOCK8; case VK_FORMAT_BC1_RGBA_UNORM_BLOCK: return gli::FORMAT_RGBA_DXT1_UNORM_BLOCK8; case VK_FORMAT_BC2_UNORM_BLOCK: return gli::FORMAT_RGBA_DXT3_UNORM_BLOCK16; case VK_FORMAT_BC3_UNORM_BLOCK: return gli::FORMAT_RGBA_DXT5_UNORM_BLOCK16; case VK_FORMAT_BC4_UNORM_BLOCK: return gli::FORMAT_R_ATI1N_UNORM_BLOCK8; case VK_FORMAT_BC5_UNORM_BLOCK: return gli::FORMAT_RG_ATI2N_UNORM_BLOCK16; case VK_FORMAT_BC6H_SFLOAT_BLOCK: return gli::FORMAT_RGB_BP_SFLOAT_BLOCK16; case VK_FORMAT_BC7_UNORM_BLOCK: return gli::FORMAT_RGBA_BP_UNORM_BLOCK16; // case VK_FORMAT_ETC2_R8G8B8_UNORM_BLOCK: return gli::FORMAT_RGB_ETC2_UNORM_BLOCK8; case VK_FORMAT_ETC2_R8G8B8A1_UNORM_BLOCK: return gli::FORMAT_RGBA_ETC2_UNORM_BLOCK8; case VK_FORMAT_ETC2_R8G8B8A8_UNORM_BLOCK: return gli::FORMAT_RGBA_ETC2_UNORM_BLOCK16; // case VK_FORMAT_EAC_R11_UNORM_BLOCK: return gli::FORMAT_R_EAC_UNORM_BLOCK8; case VK_FORMAT_EAC_R11G11_UNORM_BLOCK: return gli::FORMAT_RG_EAC_UNORM_BLOCK16; // case VK_FORMAT_ASTC_4x4_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_4X4_UNORM_BLOCK16; case VK_FORMAT_ASTC_5x4_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_5X4_UNORM_BLOCK16; case VK_FORMAT_ASTC_5x5_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_5X5_UNORM_BLOCK16; case VK_FORMAT_ASTC_6x5_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_6X5_UNORM_BLOCK16; case VK_FORMAT_ASTC_6x6_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_6X6_UNORM_BLOCK16; case VK_FORMAT_ASTC_8x5_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_8X5_UNORM_BLOCK16; case VK_FORMAT_ASTC_8x6_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_8X6_UNORM_BLOCK16; case VK_FORMAT_ASTC_8x8_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_8X8_UNORM_BLOCK16; case VK_FORMAT_ASTC_10x5_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_10X5_UNORM_BLOCK16; case VK_FORMAT_ASTC_10x6_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_10X6_UNORM_BLOCK16; case VK_FORMAT_ASTC_10x8_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_10X8_UNORM_BLOCK16; case VK_FORMAT_ASTC_10x10_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_10X10_UNORM_BLOCK16; case VK_FORMAT_ASTC_12x10_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_12X10_UNORM_BLOCK16; case VK_FORMAT_ASTC_12x12_UNORM_BLOCK: return gli::FORMAT_RGBA_ASTC_12X12_UNORM_BLOCK16; // default: return gli::FORMAT_UNDEFINED; } return gli::FORMAT_UNDEFINED; } IImageDataSP VKTS_APIENTRY imageDataLoadGli(const std::string& name, const IBinaryBufferSP& buffer) { if (!buffer.get()) { return IImageDataSP(); } auto texture = gli::load((char const *)buffer->getData(), (std::size_t)buffer->getSize()); if (texture.empty()) { return IImageDataSP(); } if (texture.layers() > 1 && texture.faces() > 1) { return IImageDataSP(); } VkFormat format = imageDataTranslateFormat(texture.format()); if (format == VK_FORMAT_UNDEFINED) { return IImageDataSP(); } uint32_t arrayLayers = (uint32_t)(texture.layers() * texture.faces()); uint32_t mipLevels = (uint32_t)texture.levels(); VkImageType imageType = VK_IMAGE_TYPE_2D; if (texture.extent().z > 1) { imageType = VK_IMAGE_TYPE_3D; } // std::vector<size_t> allOffsets; size_t offset = 0; for (size_t arrayLayer = texture.base_layer(); arrayLayer <= texture.max_layer(); arrayLayer++) { for (size_t face = texture.base_face(); face <= texture.max_face(); face++) { for (size_t mipLevel = texture.base_level(); mipLevel <= texture.max_level(); mipLevel++) { allOffsets.push_back(offset); offset += texture.size(mipLevel); } } } size_t totalSize = offset; std::vector<uint8_t> data(totalSize); offset = 0; for (size_t arrayLayer = texture.base_layer(); arrayLayer <= texture.max_layer(); arrayLayer++) { for (size_t face = texture.base_face(); face <= texture.max_face(); face++) { for (size_t mipLevel = texture.base_level(); mipLevel <= texture.max_level(); mipLevel++) { memcpy(&data[offset], texture.data(arrayLayer, face, mipLevel), texture.size(mipLevel)); offset += texture.size(mipLevel); } } } return IImageDataSP(new ImageData(name, imageType, format, { (uint32_t)texture.extent().x, (uint32_t)texture.extent().y, (uint32_t)texture.extent().z }, mipLevels, arrayLayers, allOffsets, &data[0], totalSize)); } VkBool32 VKTS_APIENTRY imageDataSaveGli(const std::string& name, const IImageDataSP& imageData, const uint32_t mipLevel, const uint32_t arrayLayer) { if (!imageData.get()) { return VK_FALSE; } gli::format format = imageDataTranslateFormat(imageData->getFormat()); if (format == gli::FORMAT_UNDEFINED) { return VK_FALSE; } VkExtent3D currentExtent; size_t currentOffset; if (!imageData->getExtentAndOffset(currentExtent, currentOffset, mipLevel, arrayLayer)) { return VK_FALSE; } gli::texture::extent_type extent{currentExtent.width, currentExtent.height, currentExtent.depth}; gli::texture texture(gli::TARGET_2D, format, extent, 1, 1, 1); VkSubresourceLayout subresourceLayout{0, (VkDeviceSize)texture.size(0), texture.size(0) / extent.y, 0, 0}; if (!imageData->copy(texture.data(0, 0, 0), mipLevel, arrayLayer, subresourceLayout)) { return VK_FALSE; } return (VkBool32)gli::save(texture, name.c_str()); } }
[ "norbert@nopper.tv" ]
norbert@nopper.tv
5837f7e0c76839e0d5b4190691802a4dd3404d71
e4764308bd83030de039874879d8149df2c86e41
/src/convertMath.cpp
8764c6f7638b53e283d15cefa95a24c6f2823dd1
[ "MIT" ]
permissive
KerryL/Converter
b13dabb1d2406672e9e93fa8fcbb9da0c5a689e3
82183cfd0eef5f0233b5ee12516f109346daf28c
refs/heads/master
2022-04-28T17:35:18.117760
2022-04-20T19:05:54
2022-04-20T19:05:54
11,661,746
0
0
null
null
null
null
UTF-8
C++
false
false
4,410
cpp
/*=================================================================================== Converter Copyright Kerry R. Loux 2013 This code is licensed under the MIT License (http://opensource.org/licenses/MIT). ===================================================================================*/ // File: convertMath.cpp // Created: 6/4/2013 // Author: K. Loux // Description: Math helpers. // History: // wxWidgets headers #include <wx/wx.h> // Local headers #include "convertMath.h" //========================================================================== // Namespace: ConvertMath // Function: CountSignificantDigits // // Description: Returns the number of significant digits in the string. // // Input Arguments: // valueString = const wxString& // // Output Arguments: // None // // Return Value: // unsigned int // //========================================================================== unsigned int ConvertMath::CountSignificantDigits(const wxString &valueString) { double value; if (!valueString.ToDouble(&value)) return 0; wxString trimmedValueString = valueString; if (trimmedValueString.Contains(_T("e"))) trimmedValueString = trimmedValueString.Mid(0, trimmedValueString.Find(_T("e"))); else if (trimmedValueString.Contains(_T("E"))) trimmedValueString = trimmedValueString.Mid(0, trimmedValueString.Find(_T("E"))); int firstDigit, lastDigit; for (firstDigit = 0; firstDigit < (int)trimmedValueString.Len(); firstDigit++) { if (trimmedValueString[firstDigit] != '0' && trimmedValueString[firstDigit] != '.' && trimmedValueString[firstDigit] != '+' && trimmedValueString[firstDigit] != '-') break; } for (lastDigit = trimmedValueString.Len() - 1; lastDigit > firstDigit; lastDigit--) { if (trimmedValueString[lastDigit] != '0' && trimmedValueString[lastDigit] != '.' && trimmedValueString[lastDigit] != '+' && trimmedValueString[lastDigit] != '-') break; } for (int i = firstDigit + 1; i < lastDigit; i++) { if (trimmedValueString[i] == '.') { firstDigit++; break; } } return lastDigit - firstDigit + 1; } //========================================================================== // Namespace: ConvertMath // Function: GetPrecision // // Description: Determines the best number of digits after the decimal place // for a string representation of the specified value (for // use with printf-style %0.*f formatting. // // Input Arguments: // value = const double& // significantDigits = const unsigned int& // dropTrailingZeros = const bool& // // Output Arguments: // None // // Return Value: // bool, true if the x-data spacing is within the tolerance // //========================================================================== unsigned int ConvertMath::GetPrecision(const double &value, const unsigned int &significantDigits, const bool &dropTrailingZeros) { int precision(significantDigits - (unsigned int)floor(log10(value)) - 1); if (precision < 0) precision = 0; if (!dropTrailingZeros) return precision; const unsigned int sSize(512); char s[sSize]; KRLsprintf(s, sSize, "%0.*f", precision, value); std::string number(s); for (size_t i = number.size() - 1; i > 0; i--) { if (s[i] == '0') precision--; else break; } if (precision < 0) precision = 0; return precision; } //========================================================================== // Namespace: ConvertMath // Function: KRLsprintf // // Description: Cross-platform friendly sprintf(_s) macro. Calls sprintf_s // under MSW, sprintf otherwise. // // Input Arguments: // dest = char* // size = const unsigned int& // format = const char* // // Output Arguments: // None // // Return Value: // None // //========================================================================== #ifdef __WXMSW__ void ConvertMath::KRLsprintf(char *dest, const unsigned int &size, const char *format, ...) #else void ConvertMath::KRLsprintf(char *dest, const unsigned int &, const char *format, ...) #endif { va_list list; va_start(list, format); #ifdef __WXMSW__ vsprintf_s(dest, size, format, list); #else vsprintf(dest, format, list); #endif va_end(list); }
[ "kerryloux@gmail.com" ]
kerryloux@gmail.com