blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 4 201 | content_id stringlengths 40 40 | detected_licenses listlengths 0 85 | license_type stringclasses 2
values | repo_name stringlengths 7 100 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 260
values | visit_date timestamp[us] | revision_date timestamp[us] | committer_date timestamp[us] | github_id int64 11.4k 681M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 17
values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 80
values | src_encoding stringclasses 28
values | language stringclasses 1
value | is_vendor bool 1
class | is_generated bool 2
classes | length_bytes int64 8 9.86M | extension stringclasses 52
values | content stringlengths 8 9.86M | authors listlengths 1 1 | author stringlengths 0 119 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
bdfb9122f268560b795a1b6104668036d8bf6af9 | ece30e7058d8bd42bc13c54560228bd7add50358 | /DataCollector/mozilla/xulrunner-sdk/include/skia/GrEffect.h | 8cb870ee153dd88ff388690987c44d765cbb5514 | [
"Apache-2.0"
] | permissive | andrasigneczi/TravelOptimizer | b0fe4d53f6494d40ba4e8b98cc293cb5451542ee | b08805f97f0823fd28975a36db67193386aceb22 | refs/heads/master | 2022-07-22T02:07:32.619451 | 2018-12-03T13:58:21 | 2018-12-03T13:58:21 | 53,926,539 | 1 | 0 | Apache-2.0 | 2022-07-06T20:05:38 | 2016-03-15T08:16:59 | C++ | UTF-8 | C++ | false | false | 9,527 | h | /*
* Copyright 2012 Google Inc.
*
* Use of this source code is governed by a BSD-style license that can be
* found in the LICENSE file.
*/
#ifndef GrEffect_DEFINED
#define GrEffect_DEFINED
#include "GrColor.h"
#include "GrEffectUnitTest.h"
#include "GrTexture.h"
#include "GrTextureAccess.h"
#include "GrTypesPriv.h"
class GrBackendEffectFactory;
class GrContext;
class GrCoordTransform;
class GrEffect;
class GrVertexEffect;
class SkString;
/** Provides custom vertex shader, fragment shader, uniform data for a particular stage of the
Ganesh shading pipeline.
Subclasses must have a function that produces a human-readable name:
static const char* Name();
GrEffect objects *must* be immutable: after being constructed, their fields may not change.
Dynamically allocated GrEffects are managed by a per-thread memory pool. The ref count of an
effect must reach 0 before the thread terminates and the pool is destroyed. To create a static
effect use the macro GR_CREATE_STATIC_EFFECT declared below.
*/
class GrEffect : public SkRefCnt {
public:
SK_DECLARE_INST_COUNT(GrEffect)
virtual ~GrEffect();
/**
* This function is used to perform optimizations. When called the color and validFlags params
* indicate whether the input components to this effect in the FS will have known values.
* validFlags is a bitfield of GrColorComponentFlags. The function updates both params to
* indicate known values of its output. A component of the color param only has meaning if the
* corresponding bit in validFlags is set.
*/
virtual void getConstantColorComponents(GrColor* color, uint32_t* validFlags) const = 0;
/** Will this effect read the source color value? */
bool willUseInputColor() const { return fWillUseInputColor; }
/** This object, besides creating back-end-specific helper objects, is used for run-time-type-
identification. The factory should be an instance of templated class,
GrTBackendEffectFactory. It is templated on the subclass of GrEffect. The subclass must have
a nested type (or typedef) named GLEffect which will be the subclass of GrGLEffect created
by the factory.
Example:
class MyCustomEffect : public GrEffect {
...
virtual const GrBackendEffectFactory& getFactory() const SK_OVERRIDE {
return GrTBackendEffectFactory<MyCustomEffect>::getInstance();
}
...
};
*/
virtual const GrBackendEffectFactory& getFactory() const = 0;
/** Returns true if this and other effect conservatively draw identically. It can only return
true when the two effects are of the same subclass (i.e. they return the same object from
from getFactory()).
A return value of true from isEqual() should not be used to test whether the effects would
generate the same shader code. To test for identical code generation use the effects' keys
computed by the GrBackendEffectFactory.
*/
bool isEqual(const GrEffect& other) const {
if (&this->getFactory() != &other.getFactory()) {
return false;
}
bool result = this->onIsEqual(other);
#ifdef SK_DEBUG
if (result) {
this->assertEquality(other);
}
#endif
return result;
}
/** Human-meaningful string to identify this effect; may be embedded
in generated shader code. */
const char* name() const;
int numTransforms() const { return fCoordTransforms.count(); }
/** Returns the coordinate transformation at index. index must be valid according to
numTransforms(). */
const GrCoordTransform& coordTransform(int index) const { return *fCoordTransforms[index]; }
int numTextures() const { return fTextureAccesses.count(); }
/** Returns the access pattern for the texture at index. index must be valid according to
numTextures(). */
const GrTextureAccess& textureAccess(int index) const { return *fTextureAccesses[index]; }
/** Shortcut for textureAccess(index).texture(); */
GrTexture* texture(int index) const { return this->textureAccess(index).getTexture(); }
/** Will this effect read the destination pixel value? */
bool willReadDstColor() const { return fWillReadDstColor; }
/** Will this effect read the fragment position? */
bool willReadFragmentPosition() const { return fWillReadFragmentPosition; }
/** Will this effect emit custom vertex shader code?
(To set this value the effect must inherit from GrVertexEffect.) */
bool hasVertexCode() const { return fHasVertexCode; }
int numVertexAttribs() const {
SkASSERT(0 == fVertexAttribTypes.count() || fHasVertexCode);
return fVertexAttribTypes.count();
}
GrSLType vertexAttribType(int index) const { return fVertexAttribTypes[index]; }
static const int kMaxVertexAttribs = 2;
/** Useful for effects that want to insert a texture matrix that is implied by the texture
dimensions */
static inline SkMatrix MakeDivByTextureWHMatrix(const GrTexture* texture) {
SkASSERT(NULL != texture);
SkMatrix mat;
mat.setIDiv(texture->width(), texture->height());
return mat;
}
void* operator new(size_t size);
void operator delete(void* target);
void* operator new(size_t size, void* placement) {
return ::operator new(size, placement);
}
void operator delete(void* target, void* placement) {
::operator delete(target, placement);
}
protected:
/**
* Subclasses call this from their constructor to register coordinate transformations. The
* effect subclass manages the lifetime of the transformations (this function only stores a
* pointer). The GrCoordTransform is typically a member field of the GrEffect subclass. When the
* matrix has perspective, the transformed coordinates will have 3 components. Otherwise they'll
* have 2. This must only be called from the constructor because GrEffects are immutable.
*/
void addCoordTransform(const GrCoordTransform* coordTransform);
/**
* Subclasses call this from their constructor to register GrTextureAccesses. The effect
* subclass manages the lifetime of the accesses (this function only stores a pointer). The
* GrTextureAccess is typically a member field of the GrEffect subclass. This must only be
* called from the constructor because GrEffects are immutable.
*/
void addTextureAccess(const GrTextureAccess* textureAccess);
GrEffect()
: fWillReadDstColor(false)
, fWillReadFragmentPosition(false)
, fWillUseInputColor(true)
, fHasVertexCode(false) {}
/**
* Helper for down-casting to a GrEffect subclass
*/
template <typename T> static const T& CastEffect(const GrEffect& effect) {
return *static_cast<const T*>(&effect);
}
/**
* If the effect subclass will read the destination pixel value then it must call this function
* from its constructor. Otherwise, when its generated backend-specific effect class attempts
* to generate code that reads the destination pixel it will fail.
*/
void setWillReadDstColor() { fWillReadDstColor = true; }
/**
* If the effect will generate a backend-specific effect that will read the fragment position
* in the FS then it must call this method from its constructor. Otherwise, the request to
* access the fragment position will be denied.
*/
void setWillReadFragmentPosition() { fWillReadFragmentPosition = true; }
/**
* If the effect will generate a result that does not depend on the input color value then it must
* call this function from its constructor. Otherwise, when its generated backend-specific code
* might fail during variable binding due to unused variables.
*/
void setWillNotUseInputColor() { fWillUseInputColor = false; }
private:
SkDEBUGCODE(void assertEquality(const GrEffect& other) const;)
/** Subclass implements this to support isEqual(). It will only be called if it is known that
the two effects are of the same subclass (i.e. they return the same object from
getFactory()).*/
virtual bool onIsEqual(const GrEffect& other) const = 0;
friend class GrVertexEffect; // to set fHasVertexCode and build fVertexAttribTypes.
SkSTArray<4, const GrCoordTransform*, true> fCoordTransforms;
SkSTArray<4, const GrTextureAccess*, true> fTextureAccesses;
SkSTArray<kMaxVertexAttribs, GrSLType, true> fVertexAttribTypes;
bool fWillReadDstColor;
bool fWillReadFragmentPosition;
bool fWillUseInputColor;
bool fHasVertexCode;
typedef SkRefCnt INHERITED;
};
/**
* This creates an effect outside of the effect memory pool. The effect's destructor will be called
* at global destruction time. NAME will be the name of the created GrEffect.
*/
#define GR_CREATE_STATIC_EFFECT(NAME, EFFECT_CLASS, ARGS) \
static SkAlignedSStorage<sizeof(EFFECT_CLASS)> g_##NAME##_Storage; \
static GrEffect* NAME SkNEW_PLACEMENT_ARGS(g_##NAME##_Storage.get(), EFFECT_CLASS, ARGS); \
static SkAutoTDestroy<GrEffect> NAME##_ad(NAME);
#endif
| [
"andras.igneczi@doclerholding.com"
] | andras.igneczi@doclerholding.com |
cd026a78704617f51f170f871b68153eb931a6aa | 2a86d9c0d9a505ddfb2cd4db72087a79dc7a9cdc | /wxcrafter.cpp | 024f98b4bffa78bad4f6a2177302de849e1e26b4 | [] | no_license | HedgehogTW/RatMove_wxMathPlot | fcd656008bb14f52b2128b08eda8bbf4eb6d8566 | b3b1687c007bd766e97944d5ba93a27d08579a67 | refs/heads/master | 2020-12-24T12:19:54.115036 | 2016-11-23T05:01:41 | 2016-11-23T05:01:41 | 73,056,938 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,668 | cpp | //////////////////////////////////////////////////////////////////////
// This file was auto-generated by codelite's wxCrafter Plugin
// wxCrafter project file: wxcrafter.wxcp
// Do not modify this file by hand!
//////////////////////////////////////////////////////////////////////
#include "wxcrafter.h"
// Declare the bitmap loading function
extern void wxC9ED9InitBitmapResources();
static bool bBitmapLoaded = false;
MainFrameBaseClass::MainFrameBaseClass(wxWindow* parent, wxWindowID id, const wxString& title, const wxPoint& pos, const wxSize& size, long style)
: wxFrame(parent, id, title, pos, size, style)
{
if ( !bBitmapLoaded ) {
// We need to initialise the default bitmap handler
wxXmlResource::Get()->AddHandler(new wxBitmapXmlHandler);
wxC9ED9InitBitmapResources();
bBitmapLoaded = true;
}
m_menuBar = new wxMenuBar(0);
this->SetMenuBar(m_menuBar);
m_nameFile = new wxMenu();
m_menuBar->Append(m_nameFile, _("File"));
m_menuItem7 = new wxMenuItem(m_nameFile, wxID_EXIT, _("Exit\tAlt-X"), _("Quit"), wxITEM_NORMAL);
m_nameFile->Append(m_menuItem7);
m_menuData = new wxMenu();
m_menuBar->Append(m_menuData, _("Data"));
m_menuItemDataAutoScroll = new wxMenuItem(m_menuData, wxID_DATA_AUTO_SCROLL, _("Auto Scrolling"), wxT(""), wxITEM_NORMAL);
m_menuData->Append(m_menuItemDataAutoScroll);
m_nameHelp = new wxMenu();
m_menuBar->Append(m_nameHelp, _("Help"));
m_menuItem9 = new wxMenuItem(m_nameHelp, wxID_ABOUT, _("About..."), wxT(""), wxITEM_NORMAL);
m_nameHelp->Append(m_menuItem9);
m_statusBar = new wxStatusBar(this, wxID_ANY, wxSTB_DEFAULT_STYLE);
m_statusBar->SetFieldsCount(1);
this->SetStatusBar(m_statusBar);
m_auimgr19 = new wxAuiManager;
m_auimgr19->SetManagedWindow( this );
m_auimgr19->SetFlags( wxAUI_MGR_LIVE_RESIZE|wxAUI_MGR_TRANSPARENT_HINT|wxAUI_MGR_TRANSPARENT_DRAG|wxAUI_MGR_ALLOW_ACTIVE_PANE|wxAUI_MGR_ALLOW_FLOATING);
m_auimgr19->GetArtProvider()->SetMetric(wxAUI_DOCKART_GRADIENT_TYPE, wxAUI_GRADIENT_NONE);
m_auibar21 = new wxAuiToolBar(this, wxID_ANY, wxDefaultPosition, wxDLG_UNIT(this, wxSize(-1,-1)), wxAUI_TB_PLAIN_BACKGROUND|wxAUI_TB_DEFAULT_STYLE);
m_auibar21->SetToolBitmapSize(wxSize(32,32));
m_auimgr19->AddPane(m_auibar21, wxAuiPaneInfo().Direction(wxAUI_DOCK_TOP).Layer(0).Row(0).Position(0).BestSize(42,42).MinSize(42,42).MaxSize(100,100).CaptionVisible(true).MaximizeButton(false).CloseButton(false).MinimizeButton(false).PinButton(false).ToolbarPane());
m_auibar21->AddTool(wxID_DATA_AUTO_SCROLL, _("Auto Scrolling"), wxXmlResource::Get()->LoadBitmap(wxT("play")), wxNullBitmap, wxITEM_NORMAL, wxT(""), wxT(""), NULL);
m_auibar21->AddTool(wxID_PAUSE, _("Pause"), wxXmlResource::Get()->LoadBitmap(wxT("pause")), wxNullBitmap, wxITEM_NORMAL, wxT(""), wxT(""), NULL);
m_auibar21->AddTool(wxID_REWIND, _("Previous"), wxXmlResource::Get()->LoadBitmap(wxT("previous")), wxNullBitmap, wxITEM_NORMAL, wxT(""), wxT(""), NULL);
m_auibar21->AddTool(wxID_FORWARD, _("Next"), wxXmlResource::Get()->LoadBitmap(wxT("skip")), wxNullBitmap, wxITEM_NORMAL, wxT(""), wxT(""), NULL);
m_auibar21->Realize();
m_panelPlot = new MyPlot(this, wxID_ANY, wxDefaultPosition, wxDLG_UNIT(this, wxSize(-1,-1)), wxTAB_TRAVERSAL);
m_auimgr19->AddPane(m_panelPlot, wxAuiPaneInfo().Caption(_("Signal Plot")).Direction(wxAUI_DOCK_CENTER).Layer(0).Row(0).Position(0).BestSize(700,100).MinSize(700,100).MaxSize(700,100).CaptionVisible(true).MaximizeButton(false).CloseButton(false).MinimizeButton(false).PinButton(false));
wxBoxSizer* topsizer = new wxBoxSizer(wxVERTICAL);
m_panelPlot->SetSizer(topsizer);
m_panelTools = new wxPanel(this, wxID_ANY, wxDefaultPosition, wxDLG_UNIT(this, wxSize(-1,-1)), wxTAB_TRAVERSAL);
m_auimgr19->AddPane(m_panelTools, wxAuiPaneInfo().Caption(_("Tools")).Direction(wxAUI_DOCK_LEFT).Layer(0).Row(0).Position(0).BestSize(150,100).MinSize(150,100).MaxSize(150,100).CaptionVisible(true).MaximizeButton(false).CloseButton(false).MinimizeButton(false).PinButton(false));
wxBoxSizer* boxSizer63 = new wxBoxSizer(wxVERTICAL);
m_panelTools->SetSizer(boxSizer63);
m_toggleButtonCoord = new wxToggleButton(m_panelTools, wxID_ANY, _("Show Coord."), wxDefaultPosition, wxDLG_UNIT(m_panelTools, wxSize(-1,-1)), 0);
m_toggleButtonCoord->SetValue(false);
boxSizer63->Add(m_toggleButtonCoord, 0, wxALL, WXC_FROM_DIP(5));
m_panelPara = new wxPanel(this, wxID_ANY, wxDefaultPosition, wxDLG_UNIT(this, wxSize(-1,-1)), wxTAB_TRAVERSAL);
m_auimgr19->AddPane(m_panelPara, wxAuiPaneInfo().Caption(_("Parameter Setting")).Direction(wxAUI_DOCK_BOTTOM).Layer(0).Row(0).Position(0).BestSize(50,100).MinSize(50,100).MaxSize(50,100).CaptionVisible(true).MaximizeButton(false).CloseButton(false).MinimizeButton(false).PinButton(false));
m_panelMsg = new wxPanel(this, wxID_ANY, wxDefaultPosition, wxDLG_UNIT(this, wxSize(-1,-1)), wxTAB_TRAVERSAL);
m_auimgr19->AddPane(m_panelMsg, wxAuiPaneInfo().Name(wxT("MsgPane")).Caption(_("Message Pane")).Direction(wxAUI_DOCK_BOTTOM).Layer(0).Row(0).Position(1).BestSize(550,100).MinSize(550,100).MaxSize(550,100).CaptionVisible(true).MaximizeButton(false).CloseButton(false).MinimizeButton(false).PinButton(false));
m_auimgr19->Update();
wxBoxSizer* boxSizer29 = new wxBoxSizer(wxVERTICAL);
m_panelMsg->SetSizer(boxSizer29);
m_textCtrlMsg = new wxTextCtrl(m_panelMsg, wxID_ANY, wxT(""), wxDefaultPosition, wxDLG_UNIT(m_panelMsg, wxSize(-1,-1)), wxTE_WORDWRAP|wxTE_RICH2|wxTE_RICH|wxTE_MULTILINE);
boxSizer29->Add(m_textCtrlMsg, 1, wxALL|wxEXPAND, WXC_FROM_DIP(5));
m_timerScroll = new wxTimer;
SetName(wxT("MainFrameBaseClass"));
SetSize(950,650);
if (GetSizer()) {
GetSizer()->Fit(this);
}
if(GetParent()) {
CentreOnParent(wxBOTH);
} else {
CentreOnScreen(wxBOTH);
}
#if wxVERSION_NUMBER >= 2900
if(!wxPersistenceManager::Get().Find(this)) {
wxPersistenceManager::Get().RegisterAndRestore(this);
} else {
wxPersistenceManager::Get().Restore(this);
}
#endif
// Connect events
this->Connect(m_menuItem7->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnExit), NULL, this);
this->Connect(m_menuItemDataAutoScroll->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnDataAutoScrolling), NULL, this);
this->Connect(m_menuItem9->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnAbout), NULL, this);
this->Connect(wxID_PAUSE, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollPause), NULL, this);
this->Connect(wxID_REWIND, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollPrevious), NULL, this);
this->Connect(wxID_FORWARD, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollNext), NULL, this);
m_toggleButtonCoord->Connect(wxEVT_COMMAND_TOGGLEBUTTON_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnToggleShowCoord), NULL, this);
m_timerScroll->Connect(wxEVT_TIMER, wxTimerEventHandler(MainFrameBaseClass::OnScrollbarTimer), NULL, this);
}
MainFrameBaseClass::~MainFrameBaseClass()
{
this->Disconnect(m_menuItem7->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnExit), NULL, this);
this->Disconnect(m_menuItemDataAutoScroll->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnDataAutoScrolling), NULL, this);
this->Disconnect(m_menuItem9->GetId(), wxEVT_COMMAND_MENU_SELECTED, wxCommandEventHandler(MainFrameBaseClass::OnAbout), NULL, this);
this->Disconnect(wxID_PAUSE, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollPause), NULL, this);
this->Disconnect(wxID_REWIND, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollPrevious), NULL, this);
this->Disconnect(wxID_FORWARD, wxEVT_COMMAND_TOOL_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnScrollNext), NULL, this);
m_toggleButtonCoord->Disconnect(wxEVT_COMMAND_TOGGLEBUTTON_CLICKED, wxCommandEventHandler(MainFrameBaseClass::OnToggleShowCoord), NULL, this);
m_timerScroll->Disconnect(wxEVT_TIMER, wxTimerEventHandler(MainFrameBaseClass::OnScrollbarTimer), NULL, this);
m_auimgr19->UnInit();
delete m_auimgr19;
m_timerScroll->Stop();
wxDELETE( m_timerScroll );
}
| [
"pragueczech@gmail.com"
] | pragueczech@gmail.com |
c01291520d0960cad05b5c5de2b690eed8c78710 | 3c6e121403d8ac51ed8fb49531edd27a0a837e5e | /framework/referencerenderer/rrRasterizer.hpp | fabd7af9c325d13b7819442f22b48b3dcf9f55a4 | [
"Apache-2.0"
] | permissive | asimiklit/deqp | 024bac1d3846475ee31b355ead2bb617cc15fb60 | 016d98ac91022d7d1a9cd858b6c4ea6c4344b5bd | refs/heads/gbm | 2020-04-22T04:07:22.007712 | 2015-06-18T19:34:38 | 2015-06-18T19:34:38 | 170,111,899 | 0 | 0 | NOASSERTION | 2019-02-11T10:44:20 | 2019-02-11T10:44:18 | null | UTF-8 | C++ | false | false | 8,800 | hpp | #ifndef _RRRASTERIZER_HPP
#define _RRRASTERIZER_HPP
/*-------------------------------------------------------------------------
* drawElements Quality Program Reference Renderer
* -----------------------------------------------
*
* Copyright 2014 The Android Open Source Project
*
* 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
* \brief Reference rasterizer
*//*--------------------------------------------------------------------*/
#include "rrDefs.hpp"
#include "tcuVector.hpp"
#include "rrRenderState.hpp"
#include "rrFragmentPacket.hpp"
namespace rr
{
//! Rasterizer configuration
enum
{
RASTERIZER_SUBPIXEL_BITS = 8,
RASTERIZER_MAX_SAMPLES_PER_FRAGMENT = 16
};
//! Get coverage bit value.
inline deUint64 getCoverageBit (int numSamples, int x, int y, int sampleNdx)
{
const int numBits = sizeof(deUint64)*8;
const int maxSamples = numBits/4;
DE_STATIC_ASSERT(maxSamples >= RASTERIZER_MAX_SAMPLES_PER_FRAGMENT);
DE_ASSERT(de::inRange(numSamples, 1, maxSamples) && de::inBounds(x, 0, 2) && de::inBounds(y, 0, 2));
return 1ull << ((x*2 + y)*numSamples + sampleNdx);
}
//! Get all sample bits for fragment
inline deUint64 getCoverageFragmentSampleBits (int numSamples, int x, int y)
{
DE_ASSERT(de::inBounds(x, 0, 2) && de::inBounds(y, 0, 2));
const deUint64 fragMask = (1ull << numSamples) - 1;
return fragMask << (x*2 + y)*numSamples;
}
//! Set bit in coverage mask.
inline deUint64 setCoverageValue (deUint64 mask, int numSamples, int x, int y, int sampleNdx, bool val)
{
const deUint64 bit = getCoverageBit(numSamples, x, y, sampleNdx);
return val ? (mask | bit) : (mask & ~bit);
}
//! Get coverage bit value in mask.
inline bool getCoverageValue (deUint64 mask, int numSamples, int x, int y, int sampleNdx)
{
return (mask & getCoverageBit(numSamples, x, y, sampleNdx)) != 0;
}
//! Test if any sample for fragment is live
inline bool getCoverageAnyFragmentSampleLive (deUint64 mask, int numSamples, int x, int y)
{
return (mask & getCoverageFragmentSampleBits(numSamples, x, y)) != 0;
}
//! Get position of first coverage bit of fragment - equivalent to deClz64(getCoverageFragmentSampleBits(numSamples, x, y)).
inline int getCoverageOffset (int numSamples, int x, int y)
{
return (x*2 + y)*numSamples;
}
/*--------------------------------------------------------------------*//*!
* \brief Edge function
*
* Edge function can be evaluated for point P (in fixed-point coordinates
* with SUBPIXEL_BITS fractional part) by computing
* D = a*Px + b*Py + c
*
* D will be fixed-point value where lower (SUBPIXEL_BITS*2) bits will
* be fractional part.
*
* a and b are stored with SUBPIXEL_BITS fractional part, while c is stored
* with SUBPIXEL_BITS*2 fractional bits.
*//*--------------------------------------------------------------------*/
struct EdgeFunction
{
inline EdgeFunction (void) : a(0), b(0), c(0), inclusive(false) {}
deInt64 a;
deInt64 b;
deInt64 c;
bool inclusive; //!< True if edge is inclusive according to fill rules.
};
/*--------------------------------------------------------------------*//*!
* \brief Triangle rasterizer
*
* Triangle rasterizer implements following features:
* - Rasterization using fixed-point coordinates
* - 1, 4, and 16 -sample rasterization
* - Depth interpolation
* - Perspective-correct barycentric computation for interpolation
* - Visible face determination
*
* It does not (and will not) implement following:
* - Triangle setup
* - Clipping
* - Degenerate elimination
* - Coordinate transformation (inputs are in screen-space)
* - Culling - logic can be implemented outside by querying visible face
* - Scissoring (this can be done by controlling viewport rectangle)
* - Any per-fragment operations
*//*--------------------------------------------------------------------*/
class TriangleRasterizer
{
public:
TriangleRasterizer (const tcu::IVec4& viewport, const int numSamples, const RasterizationState& state);
void init (const tcu::Vec4& v0, const tcu::Vec4& v1, const tcu::Vec4& v2);
// Following functions are only available after init()
FaceType getVisibleFace (void) const { return m_face; }
void rasterize (FragmentPacket* const fragmentPackets, float* const depthValues, const int maxFragmentPackets, int& numPacketsRasterized);
private:
void rasterizeSingleSample (FragmentPacket* const fragmentPackets, float* const depthValues, const int maxFragmentPackets, int& numPacketsRasterized);
template<int NumSamples>
void rasterizeMultiSample (FragmentPacket* const fragmentPackets, float* const depthValues, const int maxFragmentPackets, int& numPacketsRasterized);
// Constant rasterization state.
const tcu::IVec4 m_viewport;
const int m_numSamples;
const Winding m_winding;
const HorizontalFill m_horizontalFill;
const VerticalFill m_verticalFill;
// Per-triangle rasterization state.
tcu::Vec4 m_v0;
tcu::Vec4 m_v1;
tcu::Vec4 m_v2;
EdgeFunction m_edge01;
EdgeFunction m_edge12;
EdgeFunction m_edge20;
FaceType m_face; //!< Triangle orientation, eg. visible face.
tcu::IVec2 m_bboxMin; //!< Bounding box min (inclusive).
tcu::IVec2 m_bboxMax; //!< Bounding box max (inclusive).
tcu::IVec2 m_curPos; //!< Current rasterization position.
};
/*--------------------------------------------------------------------*//*!
* \brief Single sample line rasterizer
*
* Triangle rasterizer implements following features:
* - Rasterization using fixed-point coordinates
* - Depth interpolation
* - Perspective-correct interpolation
*
* It does not (and will not) implement following:
* - Clipping
* - Multisampled line rasterization
*//*--------------------------------------------------------------------*/
class SingleSampleLineRasterizer
{
public:
SingleSampleLineRasterizer (const tcu::IVec4& viewport);
~SingleSampleLineRasterizer ();
void init (const tcu::Vec4& v0, const tcu::Vec4& v1, float lineWidth);
// only available after init()
void rasterize (FragmentPacket* const fragmentPackets, float* const depthValues, const int maxFragmentPackets, int& numPacketsRasterized);
private:
SingleSampleLineRasterizer (const SingleSampleLineRasterizer&); // not allowed
SingleSampleLineRasterizer& operator= (const SingleSampleLineRasterizer&); // not allowed
// Constant rasterization state.
const tcu::IVec4 m_viewport;
// Per-line rasterization state.
tcu::Vec4 m_v0;
tcu::Vec4 m_v1;
tcu::IVec2 m_bboxMin; //!< Bounding box min (inclusive).
tcu::IVec2 m_bboxMax; //!< Bounding box max (inclusive).
tcu::IVec2 m_curPos; //!< Current rasterization position.
deInt32 m_curRowFragment; //!< Current rasterization position of one fragment in column of lineWidth fragments
float m_lineWidth;
};
/*--------------------------------------------------------------------*//*!
* \brief Multisampled line rasterizer
*
* Triangle rasterizer implements following features:
* - Rasterization using fixed-point coordinates
* - Depth interpolation
* - Perspective-correct interpolation
*
* It does not (and will not) implement following:
* - Clipping
* - Aliased line rasterization
*//*--------------------------------------------------------------------*/
class MultiSampleLineRasterizer
{
public:
MultiSampleLineRasterizer (const int numSamples, const tcu::IVec4& viewport);
~MultiSampleLineRasterizer ();
void init (const tcu::Vec4& v0, const tcu::Vec4& v1, float lineWidth);
// only available after init()
void rasterize (FragmentPacket* const fragmentPackets, float* const depthValues, const int maxFragmentPackets, int& numPacketsRasterized);
private:
MultiSampleLineRasterizer (const MultiSampleLineRasterizer&); // not allowed
MultiSampleLineRasterizer& operator= (const MultiSampleLineRasterizer&); // not allowed
// Constant rasterization state.
const int m_numSamples;
// Per-line rasterization state.
TriangleRasterizer m_triangleRasterizer0; //!< not in array because we want to initialize these in the initialization list
TriangleRasterizer m_triangleRasterizer1;
};
} // rr
#endif // _RRRASTERIZER_HPP
| [
"jpoyry@google.com"
] | jpoyry@google.com |
e684f856c4c94dc30d80bbf343546cc22117779a | 8d094821117f84a932856bb57e7239239db45185 | /吉田学園情報ビジネス専門学校_吉田悠人/01_二年シューティングゲーム/0_バーチャルシューティング/開発環境/Virtual Shooting/load bg.h | 2dc6f6cbfdebfccb20ede2d63dad94ad69ee948e | [] | no_license | Yosidayuto/yosidayuto- | 7034c45ce26a119e601a5880539f6cae7234b416 | 7c03ea64759189d66434c128b1afc1f6c20774e3 | refs/heads/master | 2023-04-15T08:28:57.015585 | 2021-04-26T02:24:46 | 2021-04-26T02:24:46 | 305,340,113 | 0 | 1 | null | 2020-10-22T01:09:09 | 2020-10-19T10:02:38 | C++ | SHIFT_JIS | C++ | false | false | 1,183 | h | //=============================================================================
//
// ロード背景[load bg.h]
// Author:吉田 悠人
//
//=============================================================================
#ifndef _LOAD_BG_H_
#define _LOAD_BG_H_
//=============================================================================
//インクルードファイル
//=============================================================================
#include "main.h"
#include "bg.h"
//=============================================================================
// クラス定義
//=============================================================================
class CLoadBg :public CBgc
{
public:
CLoadBg(); //コンストラクタ
~CLoadBg(); //デストラクタ
static HRESULT Load(void); //テクスチャ読み込み
static void Unload(void); //テクスチャの破棄
static CLoadBg* Create(void); //生成処理
HRESULT Init(void); //初期化処理
void Uninit(void); //終了処理
void Update(void); //更新処理
void Draw(void); //描画処理
private:
static TEXTURE_DATA m_TextureData; //テクスチャデータ
};
#endif | [
"yuu-poi-921@i.softbank.jp"
] | yuu-poi-921@i.softbank.jp |
91d011ddf7286a994df85911eee2ae27540aed90 | 1754c9ca732121677ac6a9637db31419d32dbcf1 | /dependencies/libsbml-vs2017-release-32/include/sbml/math/ASTCSymbolRateOfNode.h | 60ccd4e9e3d061ef9c9d5958c02e4ff0c690caf9 | [
"BSD-2-Clause"
] | permissive | sys-bio/Libstructural | 1701e239e3f4f64674b86e9e1053e9c61fe868a7 | fb698bcaeaef95f0d07c010f80c84d2cb6e93793 | refs/heads/master | 2021-09-14T17:54:17.538528 | 2018-05-16T21:12:24 | 2018-05-16T21:12:24 | 114,693,721 | 3 | 1 | null | 2017-12-18T22:25:11 | 2017-12-18T22:25:10 | null | UTF-8 | C++ | false | false | 3,757 | h | /**
* @cond doxygenLibsbmlInternal
*
* @file ASTCSymbolRateOfNode.h
* @brief BinaryFunction Abstract Syntax Tree (AST) class.
* @author Sarah Keating
*
* <!--------------------------------------------------------------------------
* This file is part of libSBML. Please visit http://sbml.org for more
* information about SBML, and the latest version of libSBML.
*
* Copyright (C) 2013-2017 jointly by the following organizations:
* 1. California Institute of Technology, Pasadena, CA, USA
* 2. EMBL European Bioinformatics Institute (EMBL-EBI), Hinxton, UK
* 3. University of Heidelberg, Heidelberg, Germany
*
* Copyright (C) 2009-2012 jointly by the following organizations:
* 1. California Institute of Technology, Pasadena, CA, USA
* 2. EMBL European Bioinformatics Institute (EMBL-EBI), Hinxton, UK
*
* Copyright (C) 2006-2008 by the California Institute of Technology,
* Pasadena, CA, USA
*
* Copyright (C) 2002-2005 jointly by the following organizations:
* 1. California Institute of Technology, Pasadena, CA, USA
* 2. Japan Science and Technology Agency, Japan
*
* This library is free software; you can redistribute it and/or modify it
* under the terms of the GNU Lesser General Public License as published by
* the Free Software Foundation. A copy of the license agreement is provided
* in the file named "LICENSE.txt" included with this software distribution and
* also available online as http://sbml.org/software/libsbml/license.html
* ------------------------------------------------------------------------ -->
*/
#ifndef ASTCSymbolRateOfNode_h
#define ASTCSymbolRateOfNode_h
#include <sbml/common/extern.h>
#include <sbml/math/ASTUnaryFunctionNode.h>
#ifdef __cplusplus
LIBSBML_CPP_NAMESPACE_BEGIN
class LIBSBML_EXTERN ASTCSymbolRateOfNode : public ASTUnaryFunctionNode
{
public:
ASTCSymbolRateOfNode (int type = AST_FUNCTION_RATE_OF);
/**
* Copy constructor
*/
ASTCSymbolRateOfNode (const ASTCSymbolRateOfNode& orig);
/**
* Assignment operator for ASTNode.
*/
ASTCSymbolRateOfNode& operator=(const ASTCSymbolRateOfNode& rhs);
/**
* Destroys this ASTNode, including any child nodes.
*/
virtual ~ASTCSymbolRateOfNode ();
/**
* Creates a copy (clone).
*/
virtual ASTCSymbolRateOfNode* deepCopy () const;
virtual int swapChildren(ASTFunction* that);
const std::string& getName() const;
bool isSetName() const;
int setName(const std::string& name);
int unsetName();
const std::string& getDefinitionURL() const;
bool isSetDefinitionURL() const;
int setDefinitionURL(const std::string& url);
int unsetDefinitionURL();
const std::string& getEncoding() const;
bool isSetEncoding() const;
int setEncoding(const std::string& encoding);
int unsetEncoding();
virtual void write(XMLOutputStream& stream) const;
virtual bool read(XMLInputStream& stream, const std::string& reqd_prefix="");
virtual void addExpectedAttributes(ExpectedAttributes& attributes,
XMLInputStream& stream);
virtual bool readAttributes (const XMLAttributes& attributes,
const ExpectedAttributes& expectedAttributes,
XMLInputStream& stream, const XMLToken& element);
virtual int getTypeCode () const;
protected:
/* open doxygen comment */
std::string mEncoding;
std::string mName;
std::string mDefinitionURL;
/* end doxygen comment */
};
LIBSBML_CPP_NAMESPACE_END
#endif /* __cplusplus */
#endif /* ASTNode_h */
/** @endcond */
| [
"yosefmaru@gmail.com"
] | yosefmaru@gmail.com |
904d024446bd3bdc8397c6e38c68fee6d21a87c2 | 97e4b961fa101bc637934dbe01ac93152f0850fa | /蓝桥杯省赛/39练习2/39练习2/Main.cpp | 24edafeeba169448bebc7fd7d8066216ca807315 | [] | no_license | emmanuelfils435/C-C-_memory | b7150cfe7c2f32a481e40873a0c5b35a8426e13d | 0a6b26e2fc3b19132183161380b72c5f50ba9ca8 | refs/heads/master | 2023-03-19T20:35:32.166421 | 2020-04-30T08:00:39 | 2020-04-30T08:00:39 | null | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 4,463 | cpp | #include <iostream>
#include <vector>
#include <cstring>
using namespace std;
//char arr[100][100] = {'0'};
//
//int main()
//{
// int n = 0;
// scanf("%d", &n);
// int i = 0,j=0;
// //vector <int> v;
// //memset(arr, 0, sizeof(arr));
// for (i = 0; i < n; i++)
// {
// scanf("%s", &arr[i]);
// }
// return 0;
//}
#include <cstring>
//int main()
//{
// char arr1[1000] = { '0' };
// char arr2[1000] = { '0' };
// scanf("%s", &arr1);
// scanf("%s", &arr2);
// int len1 = strlen(arr1), len2 = strlen(arr2);
// int i = 0, j = 0;
// int pos[100];
// int step = 0;
// memset(pos, 0, sizeof(pos));
// for (i = 0; i < len1; i++)
// {
// if (arr1[i] != arr2[i])
// {
// pos[j++] = i;
// }
// }
// for (i = 0; i < j; i++)
// {
// step = pos[i + 1] - pos[i];
// i = i + 1;
// }
// cout << step << endl; //经过分析不同处肯定是偶数 所以拿下标找规律!
// return 0;
//}
#include <algorithm>
#include <cstring>
#include <cstdlib>
//string s = {"123456789"};
//int pares(const char *arr, int pos, int len)
//{
// int ans = 0;
// int t = 1;
// for (int i = pos + len - 1; i >= pos; i--)
// {
// ans += (arr[i] - '0')*t;
// t *= 10;
// }
// return ans;
//}
//int main()
//{
// int i = 0;
// int ans = 0;
// int n = 0;
// scanf("%d", &n);
// do{
// const char *str = s.c_str(); //c_str()将string对象变成字符串!! 返回一个const
// for (int i = 1; i <= 7; i++)
// {
// //string a = s.substr(0,i);
// //int inta = atoi(a.c_str());
// int inta = pares(str, 0, i);
// if (inta >= n)
// {
// break;
// }
// for (int j = 1; j <= 9 - i-1; j++)
// {
// int intb = pares(str, i, j);
// int intc = pares(str, i + j, 9 - i - j);
// //string b = s.substr(i , j);
// //string c = s.substr(i+j);
// //int intb = atoi(b.c_str());
// //int intc = atoi(c.c_str());
// if ((intb%intc == 0) && (inta + intb / intc) == n)
// {
// ans++;
// }
// }
// }
// } while (next_permutation(s.begin(), s.end()));
// cout << ans << endl;
// return 0;
//}
//int main()
//{
// double a = 2.3, b = 1.9, sum = 82.3;
// double num1 = sum / 2.3,num2=sum/1.9;
// for (double i = 1.0; i <num1; i++)
// {
// for (double j = 1.0; j < num2; j++)
// {
// if ((a*j) + (b*i) == sum)
// {
// printf("%llf %llf\n", i, j);
// }
// }
// } //11 30
// return 0;
//}
//1025
//int ans = 0;
//void f(int dian,int hua,int jiu)
//{
// if (dian < 0 || hua < 0 || jiu < 0)
// {
// return ;
// }
// if (dian==0&&hua==0&&jiu==1)
// {
// ans++;
// }
// f(dian - 1, hua,jiu*2);
// f(dian, hua-1,jiu-1);
//}
//
//int main()
//{
// f(5,9,2);
// cout << ans << endl; //21
// return 0;
//}
//int ans = 0;
//int gnd(int a, int b)
//{
// if (b == 0)
// {
// return a;
// }
// return gnd(b, a%b);
//}
//int main()
//{
// double a=0.0, b=0.0, c=0.0, d=0.0;
// for (a = 1.0; a <10.0; a++)
// {
// for (b = 1.0; b <10.0; b++)
// {
// if (a == b)
// {
// continue;
// }
// for (c = 1.0; c <10.0; c++)
// {
// /*if (a == c || b == c)
// {
// continue;
// }*/
// for (d = 1.0; d <10.0; d++)
// {
// if ( c == d)
// {
// continue;
// }
// double num1 = a*c*(b * 10 + d);//出发转换成乘法
// double num2 = (a * 10 + c)*b*d;
// //double g1 = gnd(a*c,b*d); //判断两个分数相等 ,用最大公约数判断!!
// //double g2 = gnd((a * 10 + c), (b * 10 + d));
//
// /* double num1 = a / b;
// double num2 = c / d;
// double num3 = a * 10 + c;
// double num4 = b * 10 + d;*/
// /* if ((a*c)/g1==(a*10+c)/g2&&(b*d)/g1==(b*10+d)/g2)
// {
// cout << a << b << c << d << endl;
// ans++;
// }*/
// if (num1 == num2)
// {
// cout << a << b << c << d << endl;
// ans++;
// }
// /* if ((num1*num2) == (num3 / num4))
// {
// cout << a << b << c << d << endl;
// ans++;
// }*/
// }
// }
// }
// }
// cout << ans << endl;
// return 0;
//}
//
int arr[] = { 2, 4, 5, 6, 7, 9, 10, 11, 12 };
int ans = 0;
int check(int arr[])
{
int r1 = 1 + arr[0] + arr[3] + arr[5];
int r2 = 8 + arr[0] + arr[1] + arr[2];
int r3 = 1 + arr[1] + arr[4] + arr[8];
int r4 = arr[2] + arr[4] + arr[7] + 3;
int r5 = arr[5] + arr[6] + arr[7] + arr[8];
int r6 = 8 + arr[3] + arr[6] + 3;
if (r1==r2&&r2==r3&&r3==r4&&r4==r5&&r5==r6)
{
return 1;
}
return 0;
}
int main()
{
do
{
if (check(arr))
{
cout << arr[3] << endl;
}
} while (next_permutation(arr, arr + 9));
return 0;
} | [
"1023826776@qq.com"
] | 1023826776@qq.com |
3d9529324ebfedc7fa0334af4d3ad74dc94f79d3 | 69781d84ab229cc45fbbc5200e280e95c153a700 | /karaketir16/CodeForces/D. Gadgets for dollars and pounds.cpp | b201654d3a5e180e39cf7c2d0e1c6dbf26a0efb2 | [] | no_license | karaketir16/competitive | cfbfc7bfa42113490de228c0046de7784ae1bb29 | 4b8112640b6cf40b449e46a0c064ac951e7c3a72 | refs/heads/master | 2021-06-20T18:49:47.031127 | 2019-07-21T11:52:44 | 2019-07-21T11:52:44 | 139,397,116 | 3 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 357 | cpp | #include <bits/stdc++.h>
#define pb push_back
#define fi first
#define sc second
#define inf 1000000000000000LL
#define MP make_pair
#define min3(a,b,c) min(a,min(b,c))
#define max3(a,b,c) max(a,max(b,c))
#define dbg(x) cerr<<#x<<":"<<x<<endl
#define N 100005
#define MOD 1000000007
#define orta ((a+b)/2)
using namespace std;
int main()
{
return 0;
} | [
"osmankaraketir@gmail.com"
] | osmankaraketir@gmail.com |
0103f17ab0fa1e34e1d9b7d6c5c5ab85582e8e13 | 90d283cfe6fc5a98fd06b18a1f4f9184f69bd2f6 | /1_linear_table/removeElement.cpp | 4038958934b156e33e2f84e5adb7f40a55fb235f | [] | no_license | Renlonol/myLeetCode | 48af98136168787157590ea44c8a3a32b9b34039 | 3340a080a347e221c31571045d510fa70b01eca8 | refs/heads/main | 2023-04-16T05:08:00.725310 | 2021-04-07T12:52:13 | 2021-04-07T12:52:13 | 346,651,753 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,648 | cpp | /*
给你一个数组 nums 和一个值 val,你需要 原地 移除所有数值等于 val 的元素,并返回移除后数组的新长度。
不要使用额外的数组空间,你必须仅使用 O(1) 额外空间并 原地 修改输入数组。
元素的顺序可以改变。你不需要考虑数组中超出新长度后面的元素。
输入:nums = [3,2,2,3], val = 3
输出:2, nums = [2,2]
*/
#include <iostream>
#include <vector>
using namespace std;
class Solution {
public:
int removeElement(vector<int>& nums, int val) {
if (nums.size() == 0)
return 0;
size_t l = 0;
int r = nums.size() - 1;
while (true)
{
while (nums[l] != val) {
l++;
if (l >= nums.size())
return l;
}
while (nums[r] == val)
{
r--;
if (r < 0)
return l;
else
break;
}
if (l < r)
swap(nums[l], nums[r]);
else
break;
}
return l;
}
int removeElement1(vector<int>& nums, int val)
{
//双指针, 一个指向可以覆盖的下个位置, 一个遍历查找目标元素
int k = 0;
for (size_t i = 0; i < nums.size(); i++)
{
if (nums[i] != val)
nums[k++] = nums[i];
}
return k;
}
};
int main()
{
vector<int> nums{3,2,2,3};
//vector<int> nums{1};
Solution s;
cout << s.removeElement1(nums, 3) << endl;
return 0;
} | [
"renllg@163.com"
] | renllg@163.com |
9eb33bdfab9fb9f8f329432b09cd244d9f4d5aa2 | a97cbd55bd86927b9bd9c6ef9de358435c308949 | /filetwo.cpp | 44e9f6550dd775ab75df89ac74f4b6e1c2d4be60 | [] | no_license | MrkCrvic/FilesTask01_v1 | 6edab484b6518827936213d825368536ada46107 | 5996a661a218937469922ab13b7288902841dad7 | refs/heads/master | 2021-04-27T15:14:54.802426 | 2018-03-02T12:55:55 | 2018-03-02T12:55:55 | 122,466,569 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 807 | cpp | #include "filetwo.h"
FileTwo::FileTwo()
{
}
FileTwo::FileTwo(QStringList &strList)
{
this->csg = strList[0];
this->from = strList[1];
this->to = strList[2];
this->srv = strList[3];
this->typ = strList[4];
}
void FileTwo::setCSG(QString ccsg)
{
this->csg = ccsg;
}
QString FileTwo::getCSG()
{
return this->csg;
}
void FileTwo::setFROM(QString ffrom)
{
this->from = ffrom;
}
QString FileTwo::getFROM()
{
return this->from;
}
void FileTwo::setTO(QString tto)
{
this->to = tto;
}
QString FileTwo::getTO()
{
return this->to;
}
void FileTwo::setSRV(QString ssrv)
{
this->srv = ssrv;
}
QString FileTwo::getSRV()
{
return this->srv;
}
void FileTwo::setTYP(QString ttyp)
{
this->typ = ttyp;
}
QString FileTwo::getTYP()
{
return this->typ;
}
| [
"marko.corovic@comtrade.com"
] | marko.corovic@comtrade.com |
c33637f260393a23aa7a33b35a66f1d6156f1c40 | b63e1a23c44966594225e82ba7129c01be59dd4e | /main.cpp | ec45de5c2d2a682d04a29f39f1f2127ae23f67eb | [] | no_license | thedeepestreality/HoverTrik | 87aff78f0c28658ca96d2a8e2f00a9e9d535eee1 | 27b9033e22e6b0f665185252909f548e9dd99632 | refs/heads/master | 2021-01-10T02:30:09.084607 | 2016-12-10T15:51:01 | 2016-12-10T15:51:01 | 52,518,534 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,187 | cpp | /* Copyright 2015 CyberTech Labs 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.
*
* This file was modified by Yurii Litvinov to make it comply with the requirements of trikRuntime
* project. See git revision history for detailed changes. */
#include <QtCore/qglobal.h>
#if QT_VERSION < QT_VERSION_CHECK(5, 0, 0)
#include <QtGui/QApplication>
#else
#include <QtWidgets/QApplication>
#endif
//#include "I2Cdev.h"
#include "hovertrik.h"
#include <QObject>
#include <cstdlib>
int main(int argc, char *argv[])
{
QApplication app(argc, argv);
// HoverTrik worker;
// if (argc == 5)
// {
HoverConfig conf;
// conf.leftC = atoi(argv[1]);
// conf.rightC = atoi(argv[2]);
// conf.leftM = atoi(argv[3]);
// conf.rightM = atoi(argv[4]);
conf.fsr = atoi(argv[1]);
// conf.duration = atoi(argv[6]);
// conf.imuDuration = atoi(argv[7]);
// conf.phi_p = atof(argv[8]);
// conf.phi_i = atof(argv[9]);
// conf.w_p = atof(argv[10]);
// conf.w_i = atof(argv[11]);
// conf.lvl = atof(argv[12]);
// printf("Started with params: %d %d %d %d %d\r\n",conf.leftM,
// conf.rightM,
// conf.fsr,
// conf.duration,
// conf.imuDuration);
HoverTrik worker(conf);
// }
// else
// {
// printf("Error args\r\n");
// return -1;
// }
//QObject::connect(&worker,SIGNAL(finish()),&app,SLOT(finish()));
return app.exec();
}
| [
"zetoster@gmail.com"
] | zetoster@gmail.com |
4d2c3ec5ace3a815be7c3c63c6c34b0901d5aa25 | 6c3e282e6eed442c0dac2da061ad553b2edbf5e4 | /suggBux/suggBux.ino | d30d63d8ce91c9bc00eb97ff651c2fd94ed093e2 | [
"MIT"
] | permissive | fablabbcn/suggestionBoxInstallation_kubik | 207c6200dd8c4f19f84be6eff534e1394f21b881 | 92424beb0c23b19085119a67c28adf5174fc6d5f | refs/heads/master | 2021-01-16T17:55:42.655040 | 2017-10-27T11:33:11 | 2017-10-27T11:33:11 | 100,026,808 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,595 | ino | #include "Adafruit_Thermal.h"
// assets below
#include "logokubik.h"
#include "positive.h"
#include "neutral.h"
#include "negative.h"
//
#include "SoftwareSerial.h"
#define TX_PIN 6 // Arduino transmit YELLOW WIRE labeled RX on printer
#define RX_PIN 5 // Arduino receive GREEN WIRE labeled TX on printer
SoftwareSerial mySerial(RX_PIN, TX_PIN); // Declare SoftwareSerial obj first
Adafruit_Thermal printer(&mySerial); // Pass addr to printer constructor
const int bp1 = 4; //positive
const int bp2 = 3; //neutral
const int bp3 = 2; //negative
bool idleState = true;
static const unsigned long timeoutInterval = 1000 * 10; // rh seconds
static unsigned long lastRefreshTime = 0;
void setup() {
// put your setup code here, to run once:
pinMode(bp1, INPUT_PULLUP);
pinMode(bp2, INPUT_PULLUP);
pinMode(bp3, INPUT_PULLUP);
Serial.begin(9600); //delete me
pinMode(7, OUTPUT); digitalWrite(7, LOW);
mySerial.begin(19200); // Initialize SoftwareSerial
printer.begin(); // Init printer (same regardless of serial type)
}
void loop() {
int btn1V = digitalRead(bp1);
int btn2V = digitalRead(bp2);
int btn3V = digitalRead(bp3);
if (btn1V == LOW){
printerPrep(1);
}
if (btn2V == LOW){
printerPrep(2);
}
if (btn3V == LOW){
printerPrep(3);
}
timeCheck();
}
void printerPrep(int x){
if (idleState == true){
Serial.println("hit");
lastRefreshTime = millis();
idleState = false;
printerStart(x);
}
}
void timeCheck(){
if ( (millis() - lastRefreshTime) >= timeoutInterval ) {
if (idleState == false) {
Serial.println("ready");
}
idleState = true;
}
}
void printerStart(int x){
Serial.println(x);
printer.sleep();
String chosen = "";
switch (x) {
case 1: //positive
positivePrint();
break;
case 2: //neutral
neutralPrint();
break;
case 3: //negative
negativePrint();
break;
}
}
void brandingPrint(){
printer.wake();
printer.printBitmap(logokubik_width, logokubik_height, logokubik_data);
printer.justify('C');
printer.boldOn();
printer.println(F("Primer Coworking de Barcelona"));
printer.boldOff();
printer.sleep();
}
void printerNewLine(){ //assumption of woke printer
printer.doubleHeightOn();
printer.println(F(" "));
printer.doubleHeightOff();
}
void printerInputArea(){ //assumption of woke printer
printer.doubleHeightOn();
printer.println(F("Por que te sientes asi?"));
printer.underlineOn();
printer.println(F(" "));
printer.println(F(" "));
printer.println(F(" "));
printer.println(F(" "));
printer.underlineOff();
printer.doubleHeightOff();
}
void positivePrint(){
brandingPrint();
Serial.println("positive");
printer.wake();
printerNewLine();
printer.printBitmap(positive_width, positive_height, positive_data);
printerInputArea();
printerNewLine();
printer.feed(2);
printer.sleep();
}
void neutralPrint(){
brandingPrint();
Serial.println("neutral");
printer.wake();
printerNewLine();
printer.printBitmap(neutral_width, neutral_height, neutral_data);
printerInputArea();
printerNewLine();
printer.feed(2);
printer.sleep();
}
void negativePrint(){
brandingPrint();
Serial.println("negative");
printer.wake();
printerNewLine();
printer.printBitmap(negative_width, negative_height, negative_data);
printerInputArea();
printerNewLine();
printer.feed(2);
printer.sleep();
}
| [
"Lucaslpena@gmail.com"
] | Lucaslpena@gmail.com |
7f41fb17ea6a31a79f910529230b1297e6fd2af5 | d99d0737901ef09babaf7a277194f2b8e1a576b9 | /test/test_stl_sort.cc | 045d44874c97f1846e57002c01a26a0102e1275e | [] | no_license | xzgz/DetectionEngine | c3ed0caa88f60fedb8e216a9e4bbcd77e8c94c91 | f4d8f73f7d5cb22416315942bddbaaf208f9521a | refs/heads/master | 2022-02-15T21:12:48.028380 | 2019-08-25T01:15:34 | 2019-08-25T01:15:34 | 198,022,758 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,838 | cc | #include <iostream>
#include <algorithm>
#include <vector>
using namespace std;
class myclass {
public:
myclass(int a, int b):first(a), second(b){}
int first;
int second;
bool operator < (const myclass &m)const {
return first < m.first;
}
};
bool less_second(const myclass & m1, const myclass & m2) {
return m1.second < m2.second;
}
struct ValueIndex {
float score;
int index;
};
bool CompareValueIndex(const ValueIndex& vi1, const ValueIndex& vi2) {
return vi1.score > vi2.score;
}
int main() {
vector< myclass > vect;
for(int i = 0 ; i < 10 ; i ++){
myclass my(10-i, i*3);
vect.push_back(my);
}
vector<int> int_array = {2, 4, 1, 6, 2, 1};
vector<float> float_array = {1, 2, 3, 4, 5, 8, 10, 12, 13, 14, 14, 15, 16};
// for (int i = 0; i < int_array.size(); ++i)
// cout << int_array[i] << endl;
// sort(int_array.begin(), int_array.end(), less_equal<float>());
// cout << "after sort:\n";
// for (int i = 0; i < int_array.size(); ++i)
// cout << int_array[i] << endl;
// cout << "**********************\n";
//
// for (int i = 0; i < float_array.size(); ++i)
// cout << float_array[i] << endl;
// sort(float_array.begin(), float_array.end(), less_equal<int>());
// cout << "after sort:\n";
// for (int i = 0; i < int_array.size(); ++i)
// cout << float_array[i] << endl;
// vector<ValueIndex> vi_array;
// ValueIndex vi;
// for (int i = 0; i < float_array.size(); ++i) {
// vi.score = float_array[i];
// vi.index = i;
// vi_array.push_back(vi);
// }
// ValueIndex vi_array[float_array.size()];
ValueIndex *vi_array = new ValueIndex[float_array.size()];
for (int i = 0; i < float_array.size(); ++i) {
vi_array[i].score = float_array[i];
vi_array[i].index = i;
}
for (int i = 0; i < float_array.size(); ++i)
cout << vi_array[i].index << ": " << vi_array[i].score << endl;
// sort(vi_array.begin(), vi_array.end(), CompareValueIndex);
// stable_sort(vi_array.begin(), vi_array.end(), CompareValueIndex);
// partial_sort(vi_array.begin(), vi_array.begin() + 5, vi_array.end(), CompareValueIndex);
partial_sort(vi_array, vi_array + 5, vi_array + float_array.size(), CompareValueIndex);
cout << "after sort:\n";
for (int i = 0; i < float_array.size(); ++i)
cout << vi_array[i].index << ": " << vi_array[i].score << endl;
// for(int i = 0 ; i < vect.size(); i ++)
// cout<<"("<<vect[i].first<<","<<vect[i].second<<")\n";
// sort(vect.begin(), vect.end());
// cout<<"after sorted by first:"<<endl;
// for(int i = 0 ; i < vect.size(); i ++)
// cout<<"("<<vect[i].first<<","<<vect[i].second<<")\n";
// cout<<"after sorted by second:"<<endl;
// sort(vect.begin(), vect.end(), less_second);
// for(int i = 0 ; i < vect.size(); i ++)
// cout<<"("<<vect[i].first<<","<<vect[i].second<<")\n";
return 0;
}
| [
"heyanguang@yahoo.com"
] | heyanguang@yahoo.com |
a094681bc22f8d070495fe086d6c1aff00fb8019 | bf2fbef9f192ccf2febee0d12dae6a6ac14077d2 | /像素点访问/像素点访问/像素点访问.cpp | 0c3088d3e4385b0f172893d3af55078893eef727 | [] | no_license | strility/Some_Opencv_Code | b2cce4b5566728c85f8c5b71e75842b9fedaadb1 | c7734d092b9e0365f60f637d9dc4af87b3737934 | refs/heads/master | 2020-06-22T22:13:13.304891 | 2019-07-25T08:56:27 | 2019-07-25T08:56:27 | 198,411,679 | 0 | 1 | null | 2019-07-25T07:46:31 | 2019-07-23T10:53:46 | null | UTF-8 | C++ | false | false | 1,502 | cpp | // 像素点访问.cpp : 此文件包含 "main" 函数。程序执行将在此处开始并结束。
//
#include "pch.h"
#include <iostream>
#include<opencv2/core/core.hpp>
#include<opencv2/highgui/highgui.hpp>
using namespace std;
using namespace cv;
void colorReaduce(Mat & inputImage, Mat & outputImage, int div) {
outputImage = inputImage.clone();
int row = inputImage.rows;
int col= outputImage.cols*outputImage.channels();
for (int i = 0; i <row; i++) {
uchar*data = outputImage.ptr<uchar>(i);
for (int j = 0; j <col; j++) {
data[j] = data[j] * div / div + div / 2;
}
}
}
int main()
{
Mat scrImage = imread("1.jpg");
imshow("图像", scrImage);
Mat dstImage;
dstImage.create(scrImage.rows, scrImage.cols, scrImage.type());
colorReaduce(scrImage, dstImage, 32);
imshow("成品", dstImage);
waitKey(6000);
}
// 运行程序: Ctrl + F5 或调试 >“开始执行(不调试)”菜单
// 调试程序: F5 或调试 >“开始调试”菜单
// 入门提示:
// 1. 使用解决方案资源管理器窗口添加/管理文件
// 2. 使用团队资源管理器窗口连接到源代码管理
// 3. 使用输出窗口查看生成输出和其他消息
// 4. 使用错误列表窗口查看错误
// 5. 转到“项目”>“添加新项”以创建新的代码文件,或转到“项目”>“添加现有项”以将现有代码文件添加到项目
// 6. 将来,若要再次打开此项目,请转到“文件”>“打开”>“项目”并选择 .sln 文件
| [
"1473045684@qq.com"
] | 1473045684@qq.com |
1c89b8a9ac4e49a25cdee2ee41b8c01f2dc9401d | 0ffc6574bb9c445daac18e9f194017ad8421bec1 | /Coursera/C++Specialization/CourseraYellowBelt/RunTests/RunTests.cpp | 08357ec665b74737b93eeba1b806a97a8d0c4ef8 | [] | no_license | LeonidK1974/repo | d546ba9f23cc7aab1759b93cb74c3732a8729ed1 | 84d04e335f41eccb9fa0b09401f2a9b41a4ad816 | refs/heads/master | 2021-03-13T12:02:54.937223 | 2020-09-10T18:36:52 | 2020-09-10T18:36:52 | 246,679,395 | 0 | 0 | null | 2020-09-10T18:36:53 | 2020-03-11T21:02:17 | C++ | UTF-8 | C++ | false | false | 295 | cpp | // RunTests.cpp : This file contains the 'main' function. Program execution begins and ends there.
//
#include <iostream>
#include <string>
#include "test_runner.h"
int main()
{
int n = 1;
AssertEqual(n, 2, "n =! 2");
string s{ "test" };
AssertEqual(s, "test", "string not \"test\"");
}
| [
"leonid.i.kudryavtsev@gmail.com"
] | leonid.i.kudryavtsev@gmail.com |
6f50a10edb929a053800da7faf7321248cd31a3d | 865497e058e0a939dc827af42189a390b0a04dd6 | /CLGameOfLife.hpp | f70c706e6e86c8bb627c44e63caaabd39dd63b1f | [
"Unlicense"
] | permissive | Byvirven/OpenCL-Game-of-Life | 22cc904354a8b80b288431bfc3953ec18fcc2767 | cae40bb074ea37f540bcb7e55e70928b3a8f56c5 | refs/heads/master | 2021-01-22T22:28:44.824199 | 2015-03-23T20:44:19 | 2015-03-23T20:44:19 | 32,757,546 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,421 | hpp | #ifndef CL_GAMEOFLIFE_CLASS_H
#define CL_GAMEOFLIFE_CLASS_H
#if defined(__APPLE__) || defined(__MACOSX)
#include <OpenCL/cl.hpp>
#else
#include <CL/cl.hpp>
#endif
#include <iostream>
#include <fstream>
#include <vector>
#include <math.h>
#include <time.h>
#include <stdexcept>
#include <cv.h>
#include <highgui.h>
class CLGameOfLife {
public:
// Constructeurs et destructeur
// de la classe OpenCL
CLGameOfLife(int width, int height, int nbPoint); // constructeur
~CLGameOfLife(void); // destructeur
// fonction
void run(int ms);
void generateDot(int nbPoint);
void makeKernel(void);
void writeMemory(void);
void execKernel(void);
void readMemory(void);
private:
// platform model
std::vector<cl::Platform> platforms;
// contexte d'exécution
cl::Context context;
// propriétés du contexte
std::vector<cl_context_properties> context_properties;
// périphériques du contexte
std::vector<cl::Device> context_devices;
// identifiant du GPU
cl_device_type id_GPU;
// queue d'exécution
cl::CommandQueue queue;
// programme
cl::Program program;
// kernel
cl::Kernel kernel;
// buffer mémoire
cl::Buffer inputImg;
cl::Buffer imgWidth;
cl::Buffer imgSize;
cl::Buffer outputImg;
// gestion d'événement
cl::Event event;
//gestion d'erreur
cl_int err;
// Matrice de l'image
cv::Mat img;
// Taille de la matrice
int * matSize;
};
#endif
| [
"motenai@sunrise.ch"
] | motenai@sunrise.ch |
73f87877de3353a28c1204d06941fc8211e2832d | 9cd165fb42220d8e6b46b8a494febb6cfd2d3a99 | /Level 2/Test 2/P2_Dequeue.cpp | 412e0daed744822b48243551ad87cb16f978748c | [] | no_license | Ritesh0722/Coding-Ninjas-Data-Structures-in-CPP | b4b71e81b27ca75043730078eab12a4cbe3b0d7a | e987a70c34097f970b95adf2daf9499407c03388 | refs/heads/master | 2023-07-16T02:30:52.533834 | 2021-08-29T10:11:42 | 2021-08-29T10:11:42 | 380,097,424 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,600 | cpp | /***
Dequeue
You need to implement a class for Dequeue i.e. for double ended queue.
In this queue, elements can be inserted and deleted from both the ends.
You don't need to double the capacity.
You need to implement the following functions -
1. constructor
You need to create the appropriate constructor. Size for the queue
passed is 10.
2. insertFront -
This function takes an element as input and insert the element at
the front of queue. Insert the element only if queue is not full.
And if queue is full, print -1 and return.
3. insertRear -
This function takes an element as input and insert the element
at the end of queue. Insert the element only if queue is not full.
And if queue is full, print -1 and return.
4. deleteFront -
This function removes an element from the front of queue.
Print -1 if queue is empty.
5. deleteRear -
This function removes an element from the end of queue.
Print -1 if queue is empty.
6. getFront -
Returns the element which is at front of the queue.
Return -1 if queue is empty.
7. getRear -
Returns the element which is at end of the queue.
Return -1 if queue is empty.
Input Format:
For C++ and Java, input is already managed for you.
You just have to implement given functions.
Output Format:
For C++ and Java, output is already managed for you.
You just have to implement given functions.
Sample Input 1:
5
1
49
1
64
2
99
5
6
-1
Sample Output 1:
-1
64
99
Explanation:
The first choice code corresponds to getFront. Since the queue is empty, hence the output is -1.
The following input adds 49 at the top and the resultant queue becomes: 49.
The following input adds 64 at the top and the resultant queue becomes: 64 -> 49
The following input add 99 at the end and the resultant queue becomes: 64 -> 49 -> 99
The following input corresponds to getFront. Hence the output is 64.
The following input corresponds to getRear. Hence the output is 99.
***/
#include<bits/stdc++.h>
using namespace std;
class Deque {
// Complete this class
int* data;
int front;
int rear;
int si;
public:
Deque(int size) {
data = new int[size];
si = size;
front = -1;
rear = -1;
}
void insertFront(int element) {
if(front == -1 && rear == -1) {
front = 0;
rear = 0;
data[front] = element;
return;
}
if((front + 1) % si == rear) {
cout<<(-1)<<endl;
return;
}
front = (front + 1) % si;
data[front] = element;
}
void insertRear(int element) {
if(front == -1 && rear == -1) {
front=0;
rear=0;
data[rear]=element;
return;
}
if(front == (rear - 1) || rear == 0 && front == (si - 1)) {
cout<<(-1)<<endl;
return;
}
if(rear == 0)
rear = si - 1;
else
rear--;
data[rear] = element;
}
void deleteFront() {
if(front == -1 && rear == -1) {
cout<<(-1)<<endl;
return;
}
if(rear == front) {
rear = -1;
front = -1;
return;
}
if(front == 0)
front = si - 1;
else
front--;
}
void deleteRear() {
if(front == -1 && rear == -1) {
cout<<(-1)<<endl;
return;
}
if(rear == front){
rear = -1;
front = -1;
return;
}
rear = (rear + 1) % si;
}
int getFront() {
if(front == -1 && rear == -1) {
return -1;
}
return data[front];
}
int getRear() {
if(front == -1 && rear == -1){
return -1;
}
return data[rear];
}
};
int main()
{
Deque dq(10);
int choice,input;
while(true) {
cin >> choice;
switch (choice) {
case 1:
cin >> input;
dq.insertFront(input);
break;
case 2:
cin >> input;
dq.insertRear(input);
break;
case 3:
dq.deleteFront();
break;
case 4:
dq.deleteRear();
break;
case 5:
cout << dq.getFront() << "\n";
break;
case 6:
cout << dq.getRear() << "\n";
break;
default:
return 0;
}
}
return 0;
} | [
"rnk2217@gmail.com"
] | rnk2217@gmail.com |
ce7b5b30bca024ec08d264a4c6bcda663f511b4d | aade1e73011f72554e3bd7f13b6934386daf5313 | /Contest/NTU/2018/final/E.cpp | fa9c60b40e263eafffad2cfb76607d2ec66af73f | [] | 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 | 1,328 | cpp | #include <bits/stdc++.h>
using namespace std;
const int maxn = 1e5 + 5;
const int mod = 1e9 + 7;
int dp[maxn][11][3], a[maxn];
int main() {
int n, m, k;
while (scanf("%d%d%d", &n, &m, &k) != EOF) {
for (int i = 1; i <= n; ++i) scanf("%d", &a[i]);
for (int i = 0; i <= n; ++i) {
for (int j = 0; j <= 10; ++j) {
dp[i][j][0] = 0;
dp[i][j][1] = 0;
dp[i][j][2] = 0;
}
}
dp[0][0][2] = 1;
for (int i = 1; i <= n; ++i) {
for (int j = 0; j <= m; ++j) {
dp[i][j][1] = dp[i - 1][j][2];
if (j) dp[i][j][0] = dp[i - 1][j - 1][2];
dp[i][j][2] = (dp[i][j][1] + dp[i][j][0]) % mod;
for (int k = 1; k <= 10; ++k) {
if (i - k >= 1 && j - k >= 0 && a[i] == a[i - k]) {
dp[i][j][2] += mod - dp[i - k][j - k][1];
dp[i][j][2] %= mod;
break;
}
}
// printf("dp[%d][%d][0] = %d\n", i, j, dp[i][j][0]);
// printf("dp[%d][%d][1] = %d\n", i, j, dp[i][j][1]);
// printf("dp[%d][%d][2] = %d\n", i, j, dp[i][j][2]);
}
}
printf("%d\n", dp[n][m][2]);
}
}
| [
"tu.da.wei@gmail.com"
] | tu.da.wei@gmail.com |
59c2e3146cc31677079ae72bf4725dfa441cfed9 | 6d2c96c8184ea155bb128d72050be87e10a4163d | /Source/common/DirectCraft/dc/dcbuffer.h | 4e207f98bfc2a3071d0fc1811ad437b6bb46aa51 | [
"BSD-3-Clause",
"MIT"
] | permissive | karlgluck/Evidyon | 8dc144e3a011930ab1eba19b4c0eddf74339ef65 | 8b545de48a5b77a02c91d4bff7b6d6496a48ebb7 | refs/heads/master | 2023-01-04T08:22:47.493595 | 2022-12-31T18:24:55 | 2022-12-31T18:24:55 | 451,806 | 3 | 1 | NOASSERTION | 2022-12-31T18:24:56 | 2009-12-29T04:12:19 | Logos | WINDOWS-1252 | C++ | false | false | 4,935 | h | //---------------------------------------------------------------------------//
// This file is part of Evidyon, a 3d multiplayer online role-playing game //
// Copyright © 2008 - 2013 Karl Gluck //
// //
// 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. //
// //
// Karl Gluck can be reached by email at kwg8@cornell.edu //
//---------------------------------------------------------------------------//
#ifndef __DCBUFFER_H__
#define __DCBUFFER_H__
#include "dcstream.h"
namespace dc {
class dcBuffer
{
public:
class Reader : public dc::dcStreamIn
{
public:
Reader();
/**
* Sets up this reader to scan from a buffer
*/
explicit Reader(dcBuffer* buffer);
void reset(dcBuffer* buffer);
/**
* Moves the IO cursor to a specific point in the file
* @param location Byte index to move to
* @return Whether or not this location could be moved to
*/
bool seek(size_t location);
/**
* Shifts the cursor in the file relative to the current position
* @param amount Number of bytes to shift
* @return Whether or not the IO point could be changed
*/
bool move(int amount);
/**
* Gets the current position of the stream, such that
* calling seek(tell()) will not move the cursor.
* @return The current stream location
*/
size_t tell();
/**
* Gets data from this stream
* @param buffer Destination for the data
* @param size How many bytes to read
* @return Operation success flag
*/
bool read(void * buffer, size_t size);
/**
* Determines whether or not the stream has reached the end of its input
* @return 'true' if there is no more data to be read
*/
bool end();
protected:
/// The buffer being scanned
dcBuffer* myBuffer;
/// Where in the buffer we currently are reading from
size_t myAccessPtr;
};
public:
/**
* Initializes the buffer
*/
dcBuffer();
/**
* Cleans up when the buffer is no longer needed
*/
~dcBuffer();
/**
* Reads data from a source stream into the buffer
*/
bool readFrom(dcStreamIn* stream, size_t bytes);
bool readFrom(const void * buffer, size_t bytes);
/**
* Gets the raw data associated with this buffer so that it can be manipulated
* directly.
*/
void* getDataPointer() const;
/**
* Obtains the number of bytes of information stored in the buffer
*/
size_t getDataSize() const;
protected:
/// The allocated memory the buffer uses
unsigned char* myMemory;
/// How much data is stored in this buffer
size_t myDataSize;
/// How many bytes of memory are allocated
size_t myBufferSize;
};
}
#endif | [
"karlgluck@gmail.com"
] | karlgluck@gmail.com |
b520694f352ddb00561c0dc61d94bc6899383b48 | ba6669d28c95b8533fb733a1cfe01c8c2c4bf85b | /CP 2022/practice/cdchefd.cpp | 849edd5d0517c45ae842932d7a390d745d632122 | [] | no_license | mrifat1/Competitive-Programming | c4a2578a171bae0d2f6213b7a9c86a289d9d9d53 | 92d76a8724ad5d019af95da21721df57328b7bbc | refs/heads/master | 2023-01-09T23:29:44.914619 | 2022-12-27T12:10:24 | 2022-12-27T12:10:24 | 233,904,593 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,325 | cpp | #include <bits/stdc++.h>
using namespace std;
int main()
{
// your code goes here
int t;
cin >> t;
while (t--)
{
int n;
cin >> n;
vector<vector<int> > arr;
// vector<vector<int> > arr;
for (int i = 0; i < n; i++)
{
int k;
cin >> k;
vector<int> v;
for (int j = 0; j < k; j++)
{
int l;
cin >> l;
v.push_back(l);
}
arr.push_back(v);
}
bool check = false;
for (int i = 0; i < n; i++)
{
for (int j = i + 1; j < n; j++)
{
set<int> ss;
for (int kk = 0; kk < arr[i].size(); kk++)
{
ss.insert(arr[i][kk]);
}
for (int jj = 0; jj < arr[j].size(); jj++)
{
ss.insert(arr[j][jj]);
}
if (ss.size() == 5)
{
check = true;
break;
}
}
if (check)
break;
}
if (check)
cout << "YES" << endl;
else
{
cout << "NO" << endl;
}
}
return 0;
}
| [
"44732773+mrifat1@users.noreply.github.com"
] | 44732773+mrifat1@users.noreply.github.com |
5f3549116d7b562f2a3929f3429a0ce844f43215 | cd9a7e28614629c7e6c6c1d98dcdf2c65e6e80fb | /Classes/SceneEnemy.h | 3888051dc50314602e815507d917bd67102d880a | [] | no_license | YKurinn/Piece-Together-Game-Atopum- | 09527980da816e760cbce76e9b28b06fcee6a69c | 1b681063d08d6c323e5c8b7069b912f0da5e4073 | refs/heads/main | 2023-05-03T06:29:45.476200 | 2021-05-30T08:24:57 | 2021-05-30T08:24:57 | 346,574,649 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 668 | h | #ifndef __SCENE_ENEMY_H__
#define __SCENE_ENEMY_H__
#include "cocos2d.h"
#include "ui/CocosGUI.h"
USING_NS_CC;
using namespace cocos2d::ui;
class SceneEnemy : public cocos2d::Scene
{
public:
static cocos2d::Scene* createScene();
virtual bool init();
CREATE_FUNC(SceneEnemy);
Menu *buttonBack;
Button *buttonToBattle;
Button *buttonEnemyA;
Button *buttonEnemyB;
Button *buttonEnemyC;
Button *buttonEnemyD;
Button *enemyLevel0;
Button *enemyLevel30;
Button *enemyLevel50;
Button *enemyensure;
Sprite* enemyChooes;
void buttonToBattleClick(cocos2d::Object *Sender);
void buttonBackClick(cocos2d::Object *Sender);
};
#endif | [
"noreply@github.com"
] | noreply@github.com |
aa6c29313fde668ad9de5a24edd2834bc7035192 | dc7601d6e0b27d680ddfe409ef6c0aed7a8e8547 | /test/test.cpp | cbe43a7dfb7fd6bd13199503ccc4dd4ec9eed3c3 | [
"MIT"
] | permissive | colinsongf/hexastore-2 | 775bf03250df350e185f870fc9d7b144647140a9 | a8449ac0eb66d95df23ede438ed2ed66fc0b97a2 | refs/heads/master | 2020-12-23T15:30:42.170547 | 2016-10-30T04:39:30 | 2016-10-30T04:39:30 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,985 | cpp | /* Generated file, do not edit */
#ifndef CXXTEST_RUNNING
#define CXXTEST_RUNNING
#endif
#define _CXXTEST_HAVE_STD
#include <cxxtest/TestListener.h>
#include <cxxtest/TestTracker.h>
#include <cxxtest/TestRunner.h>
#include <cxxtest/RealDescriptions.h>
#include <cxxtest/TestMain.h>
#include <cxxtest/ErrorPrinter.h>
int main( int argc, char *argv[] ) {
int status;
CxxTest::ErrorPrinter tmp;
CxxTest::RealWorldDescription::_worldName = "cxxtest";
status = CxxTest::Main< CxxTest::ErrorPrinter >( tmp, argc, argv );
return status;
}
bool suite_AddingAndRemoving_init = false;
#include "/media/sebastian/d26d5d81-5c65-43dc-ba08-1a1a9e4b0609/Documents/Non-work Programming/hexastore/test/hexastore_test.h"
static AddingAndRemoving suite_AddingAndRemoving;
static CxxTest::List Tests_AddingAndRemoving = { 0, 0 };
CxxTest::StaticSuiteDescription suiteDescription_AddingAndRemoving( "hexastore_test.h", 12, "AddingAndRemoving", suite_AddingAndRemoving, Tests_AddingAndRemoving );
static class TestDescription_suite_AddingAndRemoving_testCyclicalQueryChain : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testCyclicalQueryChain() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 32, "testCyclicalQueryChain" ) {}
void runTest() { suite_AddingAndRemoving.testCyclicalQueryChain(); }
} testDescription_suite_AddingAndRemoving_testCyclicalQueryChain;
static class TestDescription_suite_AddingAndRemoving_testInsertionRemoval : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testInsertionRemoval() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 67, "testInsertionRemoval" ) {}
void runTest() { suite_AddingAndRemoving.testInsertionRemoval(); }
} testDescription_suite_AddingAndRemoving_testInsertionRemoval;
static class TestDescription_suite_AddingAndRemoving_testForwardDirectedTriangleDetection : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testForwardDirectedTriangleDetection() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 90, "testForwardDirectedTriangleDetection" ) {}
void runTest() { suite_AddingAndRemoving.testForwardDirectedTriangleDetection(); }
} testDescription_suite_AddingAndRemoving_testForwardDirectedTriangleDetection;
static class TestDescription_suite_AddingAndRemoving_testReverseDirectedTriangleDetection : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testReverseDirectedTriangleDetection() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 111, "testReverseDirectedTriangleDetection" ) {}
void runTest() { suite_AddingAndRemoving.testReverseDirectedTriangleDetection(); }
} testDescription_suite_AddingAndRemoving_testReverseDirectedTriangleDetection;
static class TestDescription_suite_AddingAndRemoving_testThreeNodeDoubleTriangle : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testThreeNodeDoubleTriangle() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 134, "testThreeNodeDoubleTriangle" ) {}
void runTest() { suite_AddingAndRemoving.testThreeNodeDoubleTriangle(); }
} testDescription_suite_AddingAndRemoving_testThreeNodeDoubleTriangle;
static class TestDescription_suite_AddingAndRemoving_testNonDirectedTriangles : public CxxTest::RealTestDescription {
public:
TestDescription_suite_AddingAndRemoving_testNonDirectedTriangles() : CxxTest::RealTestDescription( Tests_AddingAndRemoving, suiteDescription_AddingAndRemoving, 163, "testNonDirectedTriangles" ) {}
void runTest() { suite_AddingAndRemoving.testNonDirectedTriangles(); }
} testDescription_suite_AddingAndRemoving_testNonDirectedTriangles;
#include <cxxtest/Root.cpp>
const char* CxxTest::RealWorldDescription::_worldName = "cxxtest";
| [
"sebastian@bobsweep.com"
] | sebastian@bobsweep.com |
d55b59c0f6d2b70165810af5420d6ca077608a37 | 7ce0062e4c5dd69fe40f0f2301bfc129243eb51d | /windows/runner/window_configuration.cpp | 8e18047868b05ca3009e24288e276119ec6ea618 | [] | no_license | toykam/ajo_online | 9cb7d20e32a952d4b8aa5d5f796d3d76c8002583 | 5f8d784a4515be5c2e551c2d3f26a6fe4344ed0d | refs/heads/main | 2023-02-08T02:20:11.264928 | 2020-12-17T13:59:11 | 2020-12-17T13:59:11 | 321,712,223 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 275 | cpp | #include "window_configuration.h"
const wchar_t* kFlutterWindowTitle = L"ajo_online";
const unsigned int kFlutterWindowOriginX = 10;
const unsigned int kFlutterWindowOriginY = 10;
const unsigned int kFlutterWindowWidth = 1280;
const unsigned int kFlutterWindowHeight = 720;
| [
"mwork063@gmail.com"
] | mwork063@gmail.com |
53954c4a18968f4922cb995fcf55c0101cf7b7f7 | 2e84d6b7debbdb839dd40068890564454d41b9f6 | /Testing/keyValueTester.cpp | 632b08ffe4425558aa81ff054c1311a910af5528 | [] | no_license | ArisEmery/HW6-Generics | dfc205f24620000587cf1a56a9593825550836c6 | ca920e88ba49b0f7464fdec237938abcfeea8a4e | refs/heads/master | 2021-06-13T11:40:43.387055 | 2017-04-06T05:46:43 | 2017-04-06T05:46:43 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,042 | cpp | //
// Created by Aris Emery on 4/5/17.
//
#include "keyValueTester.h"
#include <iostream>
using namespace std;
void keyValueTester::testGetKey(){
cout<<"Testing Get Key\n";
KeyValue<string, string> myStringKeyValue("asdf","etugif");
if(!(myStringKeyValue.getKey()=="asdf")){
cout<<"Failed to return proper key value.\n";
return;
}
KeyValue<int, int> myIntKeyValue(2,45);
if(!(myIntKeyValue.getKey()==2)){
cout<<"Failed to return proper key value.\n";
return;
}
cout<<"Passed!\n";
}
void keyValueTester::testGetValue(){
cout<<"Testing Get Value\n";
KeyValue<string, string> myStringKeyValue("asdf","etugif");
if(!(myStringKeyValue.getValue()=="etugif")){
cout<<"Failed to return proper value field.\n";
return;
}KeyValue<int, int> myIntKeyValue(2,45);
if(!(myIntKeyValue.getValue()==45)){
cout<<"Failed to return proper key value.\n";
return;
}
cout<<"Passed!\n";
}
/*
string testerString="sfdg";
int testerInt=0;
*/ | [
"arisemery@MacBook-Pro-4.local"
] | arisemery@MacBook-Pro-4.local |
56cd1e121634963c910c9bd504476f48d4f08832 | f7ef7dabcc31ce5e2684a028f25f059302040392 | /src/gs2/lock/result/GetMutexByUserIdResult.hpp | d154b9ed1dc87d9830199270b62d0f949fac5ae4 | [] | no_license | gs2io/gs2-cpp-sdk | 68bb09c0979588b850913feb07406698f661b012 | 8dc862e247e4cc2924a060701be783096d307a44 | refs/heads/develop | 2021-08-16T17:11:59.557099 | 2020-08-03T09:26:00 | 2020-08-03T09:26:10 | 148,787,757 | 0 | 0 | null | 2020-11-15T08:08:06 | 2018-09-14T12:50:30 | C++ | UTF-8 | C++ | false | false | 3,747 | hpp | /*
* Copyright 2016 Game Server Services, Inc. or its affiliates. All Rights
* Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
#ifndef GS2_LOCK_CONTROL_GETMUTEXBYUSERIDRESULT_HPP_
#define GS2_LOCK_CONTROL_GETMUTEXBYUSERIDRESULT_HPP_
#include <gs2/core/Gs2Object.hpp>
#include <gs2/core/AsyncResult.hpp>
#include <gs2/core/json/IModel.hpp>
#include <gs2/core/json/JsonParser.hpp>
#include <gs2/core/util/List.hpp>
#include <gs2/core/util/StringHolder.hpp>
#include <gs2/core/util/StandardAllocator.hpp>
#include <gs2/core/external/optional/optional.hpp>
#include <gs2/lock/model/model.hpp>
#include <memory>
namespace gs2 { namespace lock
{
/**
* ユーザIDを指定してミューテックスを取得 のレスポンスモデル
*
* @author Game Server Services, Inc.
*/
class GetMutexByUserIdResult : public Gs2Object
{
private:
class Data : public detail::json::IModel
{
public:
/** ミューテックス */
optional<Mutex> item;
Data() = default;
Data(const Data& data) :
detail::json::IModel(data)
{
if (data.item)
{
item = data.item->deepCopy();
}
}
Data(Data&& data) = default;
virtual ~Data() = default;
Data& operator=(const Data&) = delete;
Data& operator=(Data&&) = delete;
virtual void set(const Char name_[], const detail::json::JsonConstValue& jsonValue)
{
if (std::strcmp(name_, "item") == 0)
{
if (jsonValue.IsObject())
{
const auto& jsonObject = detail::json::getObject(jsonValue);
this->item.emplace();
detail::json::JsonParser::parse(&this->item->getModel(), jsonObject);
}
}
}
};
GS2_CORE_SHARED_DATA_DEFINE_MEMBERS(Data, ensureData)
public:
GetMutexByUserIdResult() = default;
GetMutexByUserIdResult(const GetMutexByUserIdResult& getMutexByUserIdResult) = default;
GetMutexByUserIdResult(GetMutexByUserIdResult&& getMutexByUserIdResult) = default;
~GetMutexByUserIdResult() = default;
GetMutexByUserIdResult& operator=(const GetMutexByUserIdResult& getMutexByUserIdResult) = default;
GetMutexByUserIdResult& operator=(GetMutexByUserIdResult&& getMutexByUserIdResult) = default;
GetMutexByUserIdResult deepCopy() const
{
GS2_CORE_SHARED_DATA_DEEP_COPY_IMPLEMENTATION(GetMutexByUserIdResult);
}
const GetMutexByUserIdResult* operator->() const
{
return this;
}
GetMutexByUserIdResult* operator->()
{
return this;
}
/**
* ミューテックスを取得
*
* @return ミューテックス
*/
const optional<Mutex>& getItem() const
{
return ensureData().item;
}
/**
* ミューテックスを設定
*
* @param item ミューテックス
*/
void setItem(Mutex item)
{
ensureData().item.emplace(std::move(item));
}
detail::json::IModel& getModel()
{
return ensureData();
}
};
typedef AsyncResult<GetMutexByUserIdResult> AsyncGetMutexByUserIdResult;
} }
#endif //GS2_LOCK_CONTROL_GETMUTEXBYUSERIDRESULT_HPP_ | [
"imatake_haruhiko@gs2.io"
] | imatake_haruhiko@gs2.io |
24602c0ff80f02162a9616f9d3c619b23d3db070 | 73851ed86c963ea38fe8f204f75e0c7af5f24088 | /iFeng 连接版/iFeng/iFeng.cpp | 23fe1482529e3d5865b0447d2d15e46f540c2cbe | [
"Apache-2.0"
] | permissive | zhichao281/SuperWisdom | f0a121ac1ebc88644aed5f904272318baa929fb3 | 9d722c856c08238023f16896301b5106286c0fad | refs/heads/master | 2023-04-02T03:26:07.294875 | 2023-03-23T13:03:20 | 2023-03-23T13:03:20 | 125,453,975 | 11 | 9 | null | null | null | null | GB18030 | C++ | false | false | 2,643 | cpp | #include "stdafx.h"
#include <stdio.h>
#include <io.h>
#include <stdlib.h>
#include <shellapi.h>
#include <direct.h>
#include "iFeng.h"
#include "iTunesApi.h"
#include "CommonHelper.h"
#include "IOSConnect.h"
#include "IOSDevice.h"
#ifdef __cplusplus
extern "C"
{
#endif
//初始化
IFENG_API UINT IOSInitialize(void){
return iTunesApi::InitApi();
}
//释放
IFENG_API BOOL IOSDispose(void){
return iTunesApi::ReleaseApi();
}
//注册连接回调函数
IFENG_API BOOL IOSRegisterOnConnectListener(pConnecttion callback,void* pUserData){
IOSConnect::OnConnect = callback;
IOSConnect::OnConnectUserData = pUserData;
return TRUE;
}
//注册断开回调函数
IFENG_API BOOL IOSRegisterOnDisConnectListener(pConnecttion callback,void* pUserData){
IOSConnect::OnDisConnect = callback;
IOSConnect::OnDisconnectUserData = pUserData;
return TRUE;
}
//开始监听
IFENG_API BOOL IOSStartListen(){
HANDLE hDevice;
iTunesApi::AMDeviceNotificationSubscribe(IOSConnect::DeviceOnConnection,0,0,0,&hDevice);
return TRUE;
}
//打开设备
IFENG_API BOOL IOSDeviceOpen(HANDLE hDevice){
UINT ret = 0;
if((ret = iTunesApi::AMDeviceConnect(hDevice)) != 0)
return FALSE;
if((ret = iTunesApi::AMDeviceIsPaired(hDevice)) != 1)
return FALSE;
if((ret = iTunesApi::AMDeviceValidatePairing(hDevice)) != 0)
return FALSE;
if((ret = iTunesApi::AMDeviceStartSession(hDevice)) != 0)
return FALSE;
return TRUE;
}
//保持设备打开状态
IFENG_API BOOL IOSDeviceKeepConnect(HANDLE hDevice){
WCHAR wcSN[MAX_PATH];
UINT ret = 0;
IOSDevice::GetDeviceSerialNumber(hDevice,wcSN);
if ((ret = iTunesApi::AMDeviceStartSession(hDevice))!=0)
{
if((ret = iTunesApi::AMDeviceDisconnect(hDevice)) != 0)
return FALSE;
if((ret = iTunesApi::AMDeviceConnect(hDevice)) != 0)
return FALSE;
if((ret = iTunesApi::AMDeviceIsPaired(hDevice)) != 1)
return FALSE;
if((ret = iTunesApi::AMDeviceValidatePairing(hDevice)) != 0)
return FALSE;
if((ret = iTunesApi::AMDeviceStartSession(hDevice)) != 0)
return FALSE;
}
return TRUE;
}
//关闭设备
IFENG_API BOOL IOSDeviceClose(HANDLE hDevice){
iTunesApi::AMDeviceStopSession(hDevice);
iTunesApi::AMDeviceDisconnect(hDevice);
return TRUE;
}
//获取设备基本信息
IFENG_API BOOL IOSGetDeviceInformation(HANDLE hDevice,DeviceProperty* info){
IOSDevice::GetDeviceName(hDevice,info->Name);
IOSDevice::GetDeviceID(hDevice,info->IdentifyNumber);
IOSDevice::GetDeviceProductType(hDevice,info->ProductType);
IOSDevice::GetDeviceSerialNumber(hDevice,info->SerialNumber);
return TRUE;
}
#ifdef __cplusplus
};
#endif
| [
"zhengzhichao@4399inc.com"
] | zhengzhichao@4399inc.com |
998cef8108b62a2d64ad398a3e3edf45a15ebed8 | 804a1a6b44fe3a013352d04eaf47ea6ad89f9522 | /libs/libmysqlxx/include/mysqlxx/Row.h | a0b88638546e54ec1b05716e59045bfd89b39bea | [
"Apache-2.0"
] | permissive | kssenii/ClickHouse | 680f533c3372094b92f407d49fe14692dde0b33b | 7c300d098d409772bdfb26f25c7d0fe750adf69f | refs/heads/master | 2023-08-05T03:42:09.498378 | 2020-02-13T17:49:51 | 2020-02-13T17:49:51 | 232,254,869 | 10 | 3 | Apache-2.0 | 2021-06-15T11:34:08 | 2020-01-07T06:07:06 | C++ | UTF-8 | C++ | false | false | 3,485 | h | #pragma once
#include <mysqlxx/Types.h>
#include <mysqlxx/Value.h>
#include <mysqlxx/ResultBase.h>
#include <mysqlxx/Exception.h>
namespace mysqlxx
{
class ResultBase;
/** Строка результата.
* В отличие от mysql++,
* представляет собой обёртку над MYSQL_ROW (char**), ссылается на ResultBase, не владеет сам никакими данными.
* Это значит, что если будет уничтожен объект результата или соединение,
* или будет задан следующий запрос, то Row станет некорректным.
* При использовании UseQueryResult, в памяти хранится только одна строка результата,
* это значит, что после чтения следующей строки, предыдущая становится некорректной.
*/
class Row
{
private:
/** @brief Pointer to bool data member, for use by safe bool conversion operator.
* @see http://www.artima.com/cppsource/safebool.html
* Взято из mysql++.
*/
typedef MYSQL_ROW Row::*private_bool_type;
public:
/** Для возможности отложенной инициализации. */
Row()
{
}
/** Для того, чтобы создать Row, используйте соответствующие методы UseQueryResult или StoreQueryResult. */
Row(MYSQL_ROW row_, ResultBase * res_, MYSQL_LENGTHS lengths_)
: row(row_), res(res_), lengths(lengths_)
{
}
/** Получить значение по индексу.
* Здесь используется int, а не unsigned, чтобы не было неоднозначности с тем же методом, принимающим const char *.
*/
Value operator[] (int n) const
{
if (unlikely(static_cast<size_t>(n) >= res->getNumFields()))
throw Exception("Index of column is out of range.");
return Value(row[n], lengths[n], res);
}
/** Get value by column name. Less efficient. */
Value operator[] (const char * name) const;
Value operator[] (const std::string & name) const
{
return operator[](name.c_str());
}
/** Получить значение по индексу. */
Value at(size_t n) const
{
return operator[](n);
}
/** Количество столбцов. */
size_t size() const { return res->getNumFields(); }
/** Является ли пустым? Такой объект используется, чтобы обозначить конец результата
* при использовании UseQueryResult. Или это значит, что объект не инициализирован.
* Вы можете использовать вместо этого преобразование в bool.
*/
bool empty() const { return row == nullptr; }
/** Преобразование в bool.
* (Точнее - в тип, который преобразуется в bool, и с которым больше почти ничего нельзя сделать.)
*/
operator private_bool_type() const { return row == nullptr ? nullptr : &Row::row; }
private:
MYSQL_ROW row{};
ResultBase * res{};
MYSQL_LENGTHS lengths{};
};
}
| [
"milovidov@yandex-team.ru"
] | milovidov@yandex-team.ru |
1786bf9af35842f0047817dd2234544b35b61f9e | 6217a6a63e9c5845e40f7149e3b3945431bafd54 | /2 Sliding Puzzle (C)/search.cpp | 3d49d15cfdd7e8585e75a75a92cae6b2c93a3049 | [] | no_license | imraazrally/NJIT-Projects | d65d0126c7e23330fd59ef288652d10e5e45bbc7 | aa1c196b5dc0320d7326e617421d03bb258522eb | refs/heads/master | 2020-04-09T23:38:03.537885 | 2015-11-26T21:07:51 | 2015-11-26T21:07:51 | 32,215,163 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 4,066 | cpp | #include "Search.h"
#include "Heuristic.h"
int goal_found(struct node *cp,struct node *goal){
// Comparing IF NODE == GOAL
while(cp){
if (nodes_same(cp,goal)){
return 1;
}else{
cp=cp->next;
}
}
}
struct node *merge(struct node *succ,struct node *open,int flag) {
// Merging the NODES based on the SEARCH STRATEGY
// DFS will always expand the successors first.
// BFS will always finish LEVEL by LEVEL
// A-Star (intelligent) search will look for the BEST possible node sorted by f() value
struct node *csucc,*copen;
if (flag==DFS) { /* attach to the front: succ -> ... -> open */
if (succ==NULL) return open;
csucc=succ;
while(succ->next){
succ=succ->next;
}
succ->next=open;
return csucc;
}else if (flag==BFS) { /* attach to the end: open -> ... -> succ */
if (open==NULL) return succ;
csucc=open;
while(csucc->next){
csucc=csucc->next;
}
csucc->next=succ;
return open;
}else { /* Best first: insert in asc order of h value */
return sort_merge(succ,open);
}
}
struct node * filter(struct node * hp, struct node * succ){
// Given two lists of PUZZLES (A,B) return ONLY the puzzles in B that are NOT already in A.
int dup_found=0;
struct node * current=hp;
struct node * tp;
struct node * unique=NULL;
while(succ){
while(current){
if(!nodes_same(current,succ)){
current=current->next;
}else{
dup_found=1;
break;
}
}
if (!dup_found){
if (unique==NULL){
unique=succ;
succ=succ->next;
unique->next=NULL;
}else{
tp=unique;
while(tp->next){
tp=tp->next;
}
tp->next=succ;
tp=tp->next;
succ=succ->next;
tp->next=NULL;
}
}else{
dup_found=0;
succ=succ->next;
}
current=hp;
}
return unique;
}
int nodes_same(struct node * a, struct node * b) {
// Comparing TWO Puzzles
int i=0, j=0;
for (i=0; i<N; i++){
for (j=0; j<N; j++){
if (a->loc[i][j]!=b->loc[i][j]) return 0;
}
}
return 1;
}
struct node *expand(struct node *selected) {
// Given a PUZZLE, generate the successors.
/* (left) (right) So on
ex: 1 2 3 1 2 3 1 2 3 ......
4 0 5 0 4 5 4 5 0 ......
6 7 8 6 7 8 6 7 8
Return Successors---> (up)-->(down)->(left)-->(right)--->NULL
*/
struct node * up=move(selected, UP);
struct node * down=move(selected, DOWN);
struct node * left=move(selected, LEFT);
struct node * right=move(selected, RIGHT);
up->next=down;
down->next=left;
left->next=right;
right->next=NULL;
return up;
}
void print_a_node(struct node *np) {
int i,j, (*mp)[N];
mp = np->loc;
for (i=0;i<N;i++) {
for (j=0;j<N;j++) printf("%2d ",np->loc[i][j]);
printf("\n");
}
std::cout<<"FVAL: "<<np->f_val<<" \n";
printf("\n");
}
struct node * initialize(int argc, char **argv){
int i,j,k,idx;
struct node *tp;
tp=(struct node *) malloc(sizeof(struct node));
idx = 1;
for (j=0;j<N;j++)
for (k=0;k<N;k++) tp->loc[j][k]=atoi(argv[idx++]);
for (k=0;k<N;k++) tp->loc[N][k]=0; /* set f,g,h of initial state to 0 */
tp->next=NULL;
start=tp;
printf("initial state\n"); print_a_node(start);
tp=(struct node *) malloc(sizeof(struct node));
idx = 1;
for (j=0;j<N;j++)
for (k=0;k<N;k++) tp->loc[j][k] = idx++;
tp->loc[N-1][N-1] = 0; /* empty tile=0 */
for (k=0;k<N;k++) tp->loc[N][k]=0; /* set f,g,h of goal state to 0 */
tp->next=NULL;
//tp->h_val=calc_manhattan(tp,goal);
goal=tp;
printf("goal state\n"); print_a_node(goal);
start->h_val=calc_manhattan(start,goal);
start->g_val=0;
start->f_val=start->h_val+start->g_val;
goal->h_val=0;
goal->g_val=0;
goal->f_val=0;
return start;
}
void print_nodes(struct node *cp) {
while (cp) {
print_a_node(cp);
cp=cp->next;
}
}
| [
"raisoft2020@gmail.com"
] | raisoft2020@gmail.com |
0f6d6ceda160b0bb941d705b3cdc34882a393cd2 | ebc02ec5ceab1188fbf77c8d99ce4ffa1e712469 | /FECore/FEMeshAdaptorCriterion.h | c1564dd81b9cdbb61247a6451ba6184183430143 | [
"MIT"
] | permissive | chunkeey/FEBio | c6d81ac9f854536788ddaaa908262ab7fcb55d2a | c00862520142816f52038a28be2e7543eae54dc7 | refs/heads/master | 2023-03-09T14:54:23.422306 | 2021-02-25T15:42:50 | 2021-02-25T15:42:50 | 342,292,592 | 0 | 0 | MIT | 2021-02-25T15:42:51 | 2021-02-25T15:38:26 | null | UTF-8 | C++ | false | false | 3,344 | h | /*This file is part of the FEBio source code and is licensed under the MIT license
listed below.
See Copyright-FEBio.txt for details.
Copyright (c) 2020 University of Utah, The Trustees of Columbia University in
the City of New York, and others.
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.*/
#pragma once
#include "fecore_api.h"
#include "FECoreBase.h"
class FEElementSet;
class FEElement;
//-----------------------------------------------------------------------------
class FECORE_API FEMeshAdaptorSelection
{
public:
struct Item {
int m_elementIndex;
double m_scaleFactor;
};
public:
FEMeshAdaptorSelection() {}
FEMeshAdaptorSelection(size_t size) : m_itemList(size) {}
void resize(size_t newSize) { m_itemList.resize(newSize); }
Item& operator [] (size_t item) { return m_itemList[item]; }
const Item& operator [] (size_t item) const { return m_itemList[item]; }
bool empty() const { return m_itemList.empty(); }
size_t size() const { return m_itemList.size(); }
void push_back(int elemIndex, double scale) { m_itemList.push_back(Item{ elemIndex, scale }); }
private:
std::vector<Item> m_itemList;
};
//-----------------------------------------------------------------------------
// This class is a helper class for use in the mesh adaptors. Its purpose is to select
// elements based on some criterion. This element list is then usually passed to the
// mesh adaptor.
class FECORE_API FEMeshAdaptorCriterion : public FECoreBase
{
FECORE_SUPER_CLASS
public:
FEMeshAdaptorCriterion(FEModel* fem);
void SetSort(bool b);
void SetMaxElements(int m);
public:
// return a list of elements that satisfy the criterion
// The elements will be selected from the element set. If nullptr is passed
// for the element set, the entire mesh will be processed
virtual FEMeshAdaptorSelection GetElementSelection(FEElementSet* elset);
// This function needs to be overridden in order to select some elements
// that satisfy the selection criterion
// return true if the element satisfies the criterion, otherwise false
// If this function returns true, the elemVal parameter should be set
// This is used to sort the element list
virtual bool Check(FEElement& el, double& elemVal);
private:
bool m_sortList; // sort the list
int m_maxelem; // the max nr of elements to return (or 0 if don't care)
DECLARE_FECORE_CLASS();
};
| [
"50155781+SteveMaas1978@users.noreply.github.com"
] | 50155781+SteveMaas1978@users.noreply.github.com |
e47e53f2f58ba2c2be9baee891c57cb9d506d11a | 7299ceb9098596ace4e396bad80a0c57efce2a3c | /0412/Computer2.cc | 3fc55f999cd9a41a2e161d1de694d56e4b54c617 | [] | no_license | luan2501/wd | 3a59754ccdfc53147a8e4d3f4b500919f4874eef | ab6f7597fe4f8a25a3170fd574cd35639f7558a6 | refs/heads/master | 2020-07-12T19:23:46.903207 | 2017-06-25T15:24:45 | 2017-06-25T15:24:45 | 94,283,426 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,284 | cc | ///
/// @file Computer2.cc
/// @author lemon(haohb13@gmail.com)
/// @date 2017-06-15 15:53:50
///
#include <string.h>
#include <iostream>
using std::cout;
using std::endl;
class Computer
{
public:
Computer(const char * brand, double price)
: _brand(new char[strlen(brand)+1])
, _price(price)
{
cout << "Computer(const char *, double)"<< endl;
strcpy(_brand, brand);
}
Computer(const Computer & rhs)//加const应对右值引用
: _brand(new char[strlen(rhs._brand)+1])
, _price(rhs._price)
{
strcpy(_brand,rhs._brand);
cout << "Computer(const Computer &)" << endl;
}
Computer & operator=(const Computer & rhs)
{
cout <<"Computer & operator=(const Computer & rhs)" <<endl;
if(this==&rhs)
return *this;
delete []_brand;
_brand=new char[strlen(rhs._brand)+1];
strcpy(_brand,rhs._brand);
this->_price=rhs._price;
return *this;
}
void print();
~Computer()
{
delete []_brand;
}
private:
char * _brand;
double _price;
};
void Computer::print()
{
cout << _brand << " " << _price << endl;
}
Computer func()
{
Computer c("a",100);
return c;
}
inline void func2(Computer c)
{
c.print();
}
int main()
{
Computer com("Mac",999.9);
Computer com2("PC",555.5);
com = com;
com = com2;
com2.print();
return 0;
}
| [
"1020105056@qq.com"
] | 1020105056@qq.com |
4deb22f55025b3f1009c773c7a1b5c29d52f3bf2 | f02828d18a235cfeb7194b40e40183e07652d698 | /ReceiveChannel.h | ceac4d49e419adfdc86184cfc7b4177d07d7be2b | [] | no_license | mmehr2/Msw4 | c60c59651443c7687198436898f7ab184a385416 | 06cc25db8948a1caea95b1962d3a9882c1b4f944 | refs/heads/master | 2021-04-27T01:58:41.426551 | 2018-04-24T08:44:57 | 2018-04-24T08:44:57 | 122,685,875 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,116 | h | #pragma once
#include <string>
//#include <ctime>
#include "RemoteCommon.h"
class APubnubComm;
class ReceiveChannel {
remchannel::state state;
std::string key;
//std::string key2;
std::string deviceName;
std::string channelName;
std::string uuid;
std::string op_msg;
std::string tm_token;
pubnub_t * pContext;
APubnubComm * pService;
unsigned int waitTimeSecs; // whether the channel will loop on subscribes (0) or just wait for one (>0), set by last Listen()
void LogETWEvent(const std::string& data);
public:
ReceiveChannel(APubnubComm *pSvc);
~ReceiveChannel();
// sets configuration info to allow channel operation
void Setup(const std::string& uuid,
const std::string& sub_key);
void SetName(const std::string& name) { channelName = name; }
const char* GetName() const { return channelName.c_str(); }
void SetDeviceName(const std::string& name) { deviceName = name; }
const char* GetDeviceName() const { return deviceName.c_str(); }
bool isUnnamed() const { return channelName.empty(); }
const char* GetLastMessage() const;
const char* GetServerTimeToken() const { return tm_token.c_str(); }
// start online operation (sub listens, pub may send a ping)
bool Init(); // receiver
// cancel operation on a channel, going offline when done
bool DeInit();
bool IsBusy() const;
void OnMessage(const char* data); // for use by OnSubscribeCallback() (UNPROTECTED) (SUB)
void OnSubscribeCallback(pubnub_res res); // for use by pubnub callback function (UNPROTECTED) (SUB)
// For use by PubnubComm client (ultimately UI thread)
bool Listen(unsigned int wait_secs = 0);
const char* GetTypeName() const;
// NOTE: 'safe' commands do not contain any escapable JSON string characters or non-ASCII chars
//static std::string JSONify( const std::string& input, bool is_safe=true );
static std::string UnJSONify( const std::string& input );
private:
// no copying or assignment of objects
ReceiveChannel(const ReceiveChannel& other);
ReceiveChannel& operator=(const ReceiveChannel& other);
};
| [
"mike@azuresults.com"
] | mike@azuresults.com |
d6d57d1abeea122782705684c3e25ecd5b0f50a8 | fb573712ff28f03b99248b157050ccf5d9e03738 | /9实验1/9实验1/9实验1.h | b8951931d4dbecdb7b336dca53316ccba88c8994 | [] | no_license | lf-vs/HJM-VS | 3169aad3f570a287dbc075252ac1a28e8ff7d51c | b2fe26463e7b827e62ae71505fb997ae61345f67 | refs/heads/master | 2021-03-26T17:14:55.215364 | 2020-07-04T14:55:37 | 2020-07-04T14:55:37 | 247,724,954 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 476 | h |
// 9实验1.h : PROJECT_NAME 应用程序的主头文件
//
#pragma once
#ifndef __AFXWIN_H__
#error "在包含此文件之前包含“stdafx.h”以生成 PCH 文件"
#endif
#include "resource.h" // 主符号
// CMy9实验1App:
// 有关此类的实现,请参阅 9实验1.cpp
//
class CMy9实验1App : public CWinApp
{
public:
CMy9实验1App();
// 重写
public:
virtual BOOL InitInstance();
// 实现
DECLARE_MESSAGE_MAP()
};
extern CMy9实验1App theApp; | [
"1279153762@qq.com"
] | 1279153762@qq.com |
7e66ac6d97198b1df1c6910a36fcb7608b1c4dea | 51888607d56912e4bd9c9c623de0dbac778c5e78 | /Sensors/AT328P_Garden_Sensor_SoilAir/AT328P_Garden_Sensor_SoilAir.ino | 790342711b077aa9299eed2330e2d369c425baf7 | [
"MIT"
] | permissive | Tintin4000/Azure-IoT-Garden-Irrigation | 224933788b7ef3caa031bf2599d59afcc14ad19b | 4129b662114671dee44ec7103cbec6415cc950b5 | refs/heads/master | 2021-07-06T06:44:19.148187 | 2020-10-18T11:46:15 | 2020-10-18T11:46:15 | 137,941,747 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,964 | ino | /*
Name: AT328P_Garden_Sensor_SoilAir.ino
Created: 21/02/2018
Last update: 28/08/2018
Version: 1.1
Hardware: Adafruit 32u4 Feather
Author: Didier Coyman
MIT License
Copyright (c) 2018 Didier Coyman
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.
*/
#define DEBUG_HUB;
#include <SoftwareSerial.h>
#include <LowPower.h>
#include <CRC32.h>
#include <ArduinoJson.h>
#include "DHT.h"
#include "DFRobot_SHT20.h"
const char devID = '0';
const char hubID = '0';
DFRobot_SHT20 sht20;
const uint8_t MAX_RETRY = 3;
const uint8_t MSGSIZE = 136;
const uint16_t TIMEOUT_ACK = 6000; // timeout in milli second after sending a message
SoftwareSerial softSerial(4, 5);
// sending status
// bit 0 >> sensor data acquired
// bit 1 >> message ready
// bit 2 >> pending ACK
// bit 3 >> receive ACK
// bit 4 >> fail
#define DHTPIN 3 // what digital pin we're connected to
#define DHTTYPE DHT22
DHT dht(DHTPIN, DHTTYPE);
float air_temperature = 0, air_humidity = 0, soil_temperature = 0, soil_humidity = 0;
// the setup function runs once when you press reset or power the board
void setup() {
// Start the Serial hardware & software
#ifdef DEBUG_HUB //Debug info
Serial.begin(115200);
#endif
softSerial.begin(9600);
// initialize digital pin LED_BUILTIN as an output.
pinMode(13, OUTPUT);
// Set the HC-12 in transmitter mode
pinMode(2, OUTPUT);
digitalWrite(2, HIGH);
// start the sensors
dht.begin();
// Init SHT20 Sensor
sht20.initSHT20();
}
// format the json message
size_t formatJsonMessage(char* payLoad, const uint8_t size)
{
StaticJsonBuffer<200> jsonBuffer;
JsonObject &jsonRoot = jsonBuffer.createObject();
// prepare the json message
jsonRoot.set<char>("deviceid", devID);
jsonRoot["devicetype"] = "SoilAirSensor";
jsonRoot["AirTemp"] = air_temperature;
jsonRoot["AirHum"] = air_humidity;
char soilHum[6]; char soilTemp[6];
jsonRoot["SoilTemp"] = dtostrf(soil_temperature, 3, 1, soilTemp);
jsonRoot["SoilHum"] = dtostrf(soil_humidity, 3, 1, soilHum);
char crc32Buffer[128];
jsonRoot.printTo(crc32Buffer);
uint32_t checksum = CRC32::calculate(crc32Buffer, strlen(crc32Buffer));
jsonRoot["CRC32"] = checksum;
// copy the json message to the buffer
if (jsonRoot.measureLength() < size - 1)
{
return jsonRoot.printTo(payLoad, size);
}
else
{
// buffer overflow
return 0;
}
}
// the loop function runs over and over again until power down or reset
void loop() {
static uint32_t counterMillis = 0;
static uint8_t measure_retry, msg_retry, send_retry, sendStatus;
static int8_t command = 0, channel = 0;
static uint16_t interval = 10;
static uint8_t interval_byte = 0;
static char msgBuffer[MSGSIZE];
static char recBuf[10] = {0,0,0,0,0,0,0,0,0};
static uint8_t recpos = 0;
static size_t msgLength;
static bool myID = false;
if ((sendStatus == 0) && measure_retry < MAX_RETRY) {
// get the DHT22 sensor data, reading interval need to be bigger than 2 sec
// Reading temperature or humidity takes about 250 milliseconds!
air_humidity = dht.readHumidity();
// Read temperature as Celsius (the default)
delay(2500);
air_temperature = dht.readTemperature();
// get the SHT20 sensor data
soil_humidity = sht20.readHumidity();
soil_temperature = sht20.readTemperature();
if (isnan(air_humidity) || isnan(air_temperature) || isnan(soil_humidity) || isnan(soil_temperature))
{
measure_retry++;
softSerial.println("Sensor error.");
if (measure_retry > 2)
{
sendStatus = 16;
measure_retry = 0;
}
}
else
{
sendStatus = 1;
measure_retry = 0;
}
}
// format the message once per measure
if ((sendStatus == 1) && (send_retry == 0) && (msg_retry < MAX_RETRY))
{
// prepare the json message
msgLength = formatJsonMessage(msgBuffer, MSGSIZE);
if (msgLength > 0)
{
sendStatus = 2;
msg_retry = 0;
}
// message invalid
else
{
msg_retry++;
if (msg_retry == MAX_RETRY)
{
sendStatus = 16;
softSerial.println("Message invalid");
}
}
}
// send the message and wait for the reply, retry if not successful
if ((sendStatus == 2) && (send_retry < MAX_RETRY)) {
// start the time counter
counterMillis = millis();
// format the message
softSerial.write(2);
softSerial.print(msgLength);
softSerial.print(":");
softSerial.write(devID);
softSerial.print(":");
softSerial.write(hubID);
softSerial.write(3);
softSerial.write(msgBuffer);
softSerial.println();
#ifdef DEBUG_HUB //Debug info
Serial.println(msgBuffer);
#endif
// pending acknowledgment
sendStatus = 4;
// try to prevent buffer full
softSerial.flush();
// increase the retry counter
send_retry++;
// delay the last transmission for completness
if (send_retry == MAX_RETRY) delay(50);
}
// once the message is send, wait for the acknowledgment or timeout
if (sendStatus == 4)
{
if ((millis() - counterMillis) < TIMEOUT_ACK) {
if (softSerial.available())
{
uint8_t input = softSerial.read();
#ifdef DEBUG_HUB //Debug info
Serial.print("received character ");
Serial.print(recpos);
Serial.print(" = ");
Serial.println(input, DEC);
#endif
if (input != 10)
{
recBuf[recpos] = input;
if (recpos < 9) recpos++;
}
else
{
// process the received buffer
recBuf[recpos] = 0;
recpos = 0;
#ifdef DEBUG_HUB //Debug info
Serial.print("Received Buffer = ");
Serial.println(recBuf);
#endif
// check if the message is for me
if (recBuf[0] == devID)
{
#ifdef DEBUG_HUB //Debug info
Serial.println("Message for me...");
#endif
switch (recBuf[1])
{
case 6: // ACK
sendStatus = 8;
send_retry = 0;
break;
case 21: // NACK
sendStatus = 2;
break;
case 17: // set interval
recBuf[0] = 32; recBuf[1] = 32;
interval = atoi(recBuf);
#ifdef DEBUG_HUB //Debug info
Serial.print("interval=");
Serial.println(interval);
#endif
break;
case 18: // set channel
recBuf[0] = 32; recBuf[1] = 32;
uint8_t desiredChannel = atoi(recBuf);
#ifdef DEBUG_HUB //Debug info
Serial.print("Channel = ");
Serial.println(desiredChannel);
#endif
if (channel != desiredChannel)
{
channel = desiredChannel;
// set the HC-12 channel by entering AT command AT+Cxxx followed by exiting the AT mode
//digitalWrite(2, LOW);
// 50 ms are required for the HC-12 to change mode
delay(50);
char c[4];
sprintf(c, "AT+C%03u", input);
#ifdef DEBUG_HUB //Debug info
Serial.println(c);
#endif
//softSerial.println(c);
delay(50);
//digitalWrite(2, HIGH);
delay(50);
}
}
}
}
}
}
// flag time out
else
{
sendStatus = 2;
#ifdef DEBUG_HUB //Debug info
Serial.println("ACK time out.");
#endif
}
}
// get to sleep for saving energy if the message has been received or time out
if ((sendStatus > 4) || (send_retry >= MAX_RETRY)) {
// set the HC-12 to sleep by entering AT command AT+SLEEP followed by exiting the AT mode
digitalWrite(2, LOW);
// stop listening
softSerial.stopListening();
// 50 ms are required for the HC-12 to change mode
delay(50);
softSerial.println("AT+SLEEP");
delay(50);
digitalWrite(2, HIGH);
delay(50);
#ifdef DEBUG_HUB //Debug info
Serial.print("Sleeping for ");
Serial.print(interval * 8);
Serial.println(" sec");
delay(25);
#endif
// Set the 328P into sleep mode for around 60 min (422*8s)
for (uint16_t i = 0; i < interval; i++)
{
// Enter power down state for 8 s with ADC and BOD module disabled
LowPower.powerDown(SLEEP_8S, ADC_OFF, BOD_OFF);
}
// reset to start a new measure point
sendStatus = 0;
send_retry = 0;
// wake up the HC-12
digitalWrite(2, LOW);
delay(10);
digitalWrite(2, HIGH);
// start listening again
softSerial.listen();
#ifdef DEBUG_HUB //Debug info
Serial.println("Awake");
#endif
}
}
| [
"didier.coyman@gmail.com"
] | didier.coyman@gmail.com |
4e29da711f19aacda20df6d27afda2b679412d8f | b47490fab509a894716969b12649a1944cf6b1de | /CPP_Module_03/ex00/FragTrap.cpp | ae7004ac7221b049f431a2e3ca598e0484e1fda5 | [] | no_license | flavienfr/piscine_cpp | 2341d097616bdceb79cdee3e7737913c7304d6e5 | 61d7793f8eb812432db5d1f92ec50df94ab1b82d | refs/heads/master | 2021-05-18T01:19:24.917876 | 2020-07-07T16:35:07 | 2020-07-07T16:35:07 | 251,043,625 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,877 | cpp | /* ************************************************************************** */
/* */
/* ::: :::::::: */
/* FragTrap.cpp :+: :+: :+: */
/* +:+ +:+ +:+ */
/* By: froussel <froussel@student.42.fr> +#+ +:+ +#+ */
/* +#+#+#+#+#+ +#+ */
/* Created: 2020/04/04 15:24:24 by froussel #+# #+# */
/* Updated: 2020/04/05 16:06:03 by froussel ### ########.fr */
/* */
/* ************************************************************************** */
#include "FragTrap.hpp"
FragTrap::FragTrap() : HitPoints(100), MaxHitPoints(100),
EnergyPoints(100), MaxEnergyPoints(100), level(1), Name("Default"),
MeleeAttackDamage(30), RangedAttackDamage(20), ArmorDamageReduction(5)
{
std::cout << "Defautlt Constructor of: " << Name << std::endl;
initAttack();
}
FragTrap::FragTrap(std::string the_Name) : HitPoints(100), MaxHitPoints(100),
EnergyPoints(100), MaxEnergyPoints(100), level(1), Name(the_Name),
MeleeAttackDamage(30), RangedAttackDamage(20), ArmorDamageReduction(5)
{
std::cout << "Constructor of: " << Name << std::endl;
initAttack();
}
FragTrap::FragTrap(const FragTrap &the_FragTrap)
{
*this = the_FragTrap;
}
FragTrap &FragTrap::operator=(const FragTrap &the_FragTrap)
{
MaxHitPoints = the_FragTrap.MaxHitPoints;
MaxEnergyPoints = the_FragTrap.MaxEnergyPoints;
HitPoints = the_FragTrap.HitPoints ;
EnergyPoints = the_FragTrap.EnergyPoints;
level = the_FragTrap.level;
Name = the_FragTrap.Name;
MeleeAttackDamage = the_FragTrap.MeleeAttackDamage;
RangedAttackDamage = the_FragTrap.RangedAttackDamage;
ArmorDamageReduction = the_FragTrap.ArmorDamageReduction;
return (*this);
}
FragTrap::~FragTrap()
{
std::cout << "Destructor of: " << Name << std::endl;
}
void FragTrap::initAttack()
{
t_attack[0] = {"Missile", 30};
t_attack[1] = {"Bombe", 35};
t_attack[2] = {"Pistolet", 5};
t_attack[3] = {"Catapulte", 25};
t_attack[4] = {"pichenette", 2};
}
void FragTrap::RangedAttack(std::string const &target)
{
std::cout << "FR4G-TP <" << Name << "> attaque <"
<< target << "> à distance, causant <"
<< RangedAttackDamage << "> points de dégâts !" << std::endl;
}
void FragTrap::meleeAttack(std::string const &target)
{
std::cout << "FR4G-TP <" << Name << "> attaque <"
<< target << "> de mêlée, causant <"
<< MeleeAttackDamage << "> points de dégâts !" << std::endl;
}
void FragTrap::takeDamage(unsigned int amount)
{
std::cout << "FR4G-TP <" << Name << "> ";
if (ArmorDamageReduction)
amount *= (1.f - (float(ArmorDamageReduction) / 100.f));
if (amount > HitPoints)
{
HitPoints = 0;
std::cout << "est mort et ";
}
else
HitPoints -= amount;
std::cout << "reçoit une attaque causant <" << amount << "> points de dégâts !" << std::endl;
}
void FragTrap::beRepaired(unsigned int amount)
{
if (HitPoints + amount > MaxHitPoints)
HitPoints = MaxHitPoints;
else
HitPoints += amount;
std::cout << "FR4G-TP <" << Name
<< "> il se fait réparer de <" << amount << "> points de réparations !" << std::endl;
}
void FragTrap::vaulthunter_dot_exe(const std::string &target)
{
struct timeval tv;
std::cout << "FR4G-TP <" << Name << "> ";
if (ERNERGYCOST > EnergyPoints)
{
std::cout << "Not enough ernergy" << std::endl;
return ;
}
else
EnergyPoints -= ERNERGYCOST;
gettimeofday(&tv, nullptr);
int rand = tv.tv_usec % 5;
std::cout << "launches the random attack: " << t_attack[rand].name
<< " on " << target << " with " << t_attack[rand].damage << std::endl;
}
| [
"flav.rsl@hotmail.fr"
] | flav.rsl@hotmail.fr |
55e5b5db606e95249d09d83befdf64be35819e9c | a0703139df64e25f02b2e6d4ece5c25cbb8bd608 | /0.66OLED/test sk/sketch_jan07a/sketch_jan07a/sketch_jan07a.ino | b0f89e4b1a7f1506829af76fb352ed3f07115602 | [] | no_license | MHEtLive/ESP8266-Arduino-examples-lab | 6e93abaa4b20f3338da855086c08a50636088623 | 6b0a3df959413fa2f1bcc2a990263e632c66de0d | refs/heads/master | 2021-01-21T20:38:17.546095 | 2017-05-24T08:40:38 | 2017-05-24T08:40:38 | 92,260,507 | 10 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 888 | ino | #include <Wire.h>
void setup()
{
Wire.begin();
Serial.begin(9600);
Serial.println("\nI2C Scanner");
}
void loop()
{
byte error, address;
int nDevices;
Serial.println("Scanning...");
nDevices = 0;
for(address = 1; address < 127; address++ )
{
// The i2c_scanner uses the return value of
// the Write.endTransmisstion to see if
// a device did acknowledge to the address.
Wire.beginTransmission(address);
error = Wire.endTransmission();
if (error == 0)
{
Serial.print("I2C device found at address 0x");
if (address<16)
Serial.print("0");
Serial.print(address,HEX);
Serial.println(" !");
nDevices++;
}
else if (error==4)
{
Serial.print("Unknow error at address 0x");
if (address<16)
Serial.print("0");
Serial.println(address,HEX);
}
}
if (nDevices == 0)
Serial.println("No I2C devices found\n");
else
Serial.println("done\n");
delay(5000); // wait 5 seconds for next scan
}
| [
"noreply@github.com"
] | noreply@github.com |
2c61e7f89c72307c253eebccf109c5938edd3337 | cf85f8ee951490dc13648ec5815e022e31bf6676 | /src/P2p/P2pProtocolTypes.h | 95634d14d3a53325882eb878dfe07cd5dbfec4ff | [] | no_license | rainmanp7/phfx | 1c61ee112c22e9c942287536891a7bf94bb9a829 | c00be01f89ceca09003f4f10bb42ab80a363c9b5 | refs/heads/master | 2020-03-28T03:04:06.843858 | 2018-09-07T02:50:01 | 2018-09-07T02:50:01 | 147,617,262 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,478 | h | // Copyright (c) 2011-2016 The Cryptonote developers
// Copyright (c) 2017-2018 PHF-project developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#pragma once
#include <string.h>
#include <tuple>
#include <boost/uuid/uuid.hpp>
#include "Common/StringTools.h"
namespace CryptoNote
{
typedef boost::uuids::uuid uuid;
typedef boost::uuids::uuid net_connection_id;
typedef uint64_t PeerIdType;
#pragma pack (push, 1)
struct NetworkAddress
{
uint32_t ip;
uint32_t port;
};
struct PeerlistEntry
{
NetworkAddress adr;
PeerIdType id;
uint64_t last_seen;
};
struct connection_entry
{
NetworkAddress adr;
PeerIdType id;
bool is_income;
};
#pragma pack(pop)
inline bool operator < (const NetworkAddress& a, const NetworkAddress& b) {
return std::tie(a.ip, a.port) < std::tie(b.ip, b.port);
}
inline bool operator == (const NetworkAddress& a, const NetworkAddress& b) {
return memcmp(&a, &b, sizeof(a)) == 0;
}
inline std::ostream& operator << (std::ostream& s, const NetworkAddress& na) {
return s << Common::ipAddressToString(na.ip) << ":" << std::to_string(na.port);
}
inline uint32_t hostToNetwork(uint32_t n) {
return (n << 24) | (n & 0xff00) << 8 | (n & 0xff0000) >> 8 | (n >> 24);
}
inline uint32_t networkToHost(uint32_t n) {
return hostToNetwork(n); // the same
}
}
| [
"muslimsoap@gmail.com"
] | muslimsoap@gmail.com |
66f8b69c191756fbca4e99a8fb2599db1ce076b0 | 7444b2b0a00647f177009b82133f3c14e1503868 | /src/bitcoin-tx.cpp | dc329c7022ed6b8cf0284322d9f802f5a4482c8c | [
"MIT"
] | permissive | litecoineco/litecoineco | 1459e845e6c9c650da187c5747bc47879f8c0a05 | a0b3c09215ef798abdd0738571a3a36dbfbb6d2d | refs/heads/master | 2020-03-20T11:45:54.185455 | 2018-06-15T02:03:22 | 2018-06-15T02:03:22 | 137,411,365 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 28,937 | cpp | // Copyright (c) 2009-2016 The Bitcoin Core developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#if defined(HAVE_CONFIG_H)
#include "config/bitcoin-config.h"
#endif
#include "base58.h"
#include "clientversion.h"
#include "coins.h"
#include "consensus/consensus.h"
#include "core_io.h"
#include "keystore.h"
#include "policy/policy.h"
#include "primitives/transaction.h"
#include "script/script.h"
#include "script/sign.h"
#include <univalue.h>
#include "util.h"
#include "utilmoneystr.h"
#include "utilstrencodings.h"
#include <stdio.h>
#include <boost/algorithm/string.hpp>
#include <boost/assign/list_of.hpp>
static bool fCreateBlank;
static std::map<std::string,UniValue> registers;
static const int CONTINUE_EXECUTION=-1;
//
// This function returns either one of EXIT_ codes when it's expected to stop the process or
// CONTINUE_EXECUTION when it's expected to continue further.
//
static int AppInitRawTx(int argc, char* argv[])
{
//
// Parameters
//
ParseParameters(argc, argv);
// Check for -testnet or -regtest parameter (Params() calls are only valid after this clause)
try {
SelectParams(ChainNameFromCommandLine());
} catch (const std::exception& e) {
fprintf(stderr, "Error: %s\n", e.what());
return EXIT_FAILURE;
}
fCreateBlank = GetBoolArg("-create", false);
if (argc<2 || IsArgSet("-?") || IsArgSet("-h") || IsArgSet("-help"))
{
// First part of help message is specific to this utility
std::string strUsage = strprintf(_("%s litecoineco-tx utility version"), _(PACKAGE_NAME)) + " " + FormatFullVersion() + "\n\n" +
_("Usage:") + "\n" +
" litecoineco-tx [options] <hex-tx> [commands] " + _("Update hex-encoded litecoineco transaction") + "\n" +
" litecoineco-tx [options] -create [commands] " + _("Create hex-encoded litecoineco transaction") + "\n" +
"\n";
fprintf(stdout, "%s", strUsage.c_str());
strUsage = HelpMessageGroup(_("Options:"));
strUsage += HelpMessageOpt("-?", _("This help message"));
strUsage += HelpMessageOpt("-create", _("Create new, empty TX."));
strUsage += HelpMessageOpt("-json", _("Select JSON output"));
strUsage += HelpMessageOpt("-txid", _("Output only the hex-encoded transaction id of the resultant transaction."));
AppendParamsHelpMessages(strUsage);
fprintf(stdout, "%s", strUsage.c_str());
strUsage = HelpMessageGroup(_("Commands:"));
strUsage += HelpMessageOpt("delin=N", _("Delete input N from TX"));
strUsage += HelpMessageOpt("delout=N", _("Delete output N from TX"));
strUsage += HelpMessageOpt("in=TXID:VOUT(:SEQUENCE_NUMBER)", _("Add input to TX"));
strUsage += HelpMessageOpt("locktime=N", _("Set TX lock time to N"));
strUsage += HelpMessageOpt("nversion=N", _("Set TX version to N"));
strUsage += HelpMessageOpt("outaddr=VALUE:ADDRESS", _("Add address-based output to TX"));
strUsage += HelpMessageOpt("outpubkey=VALUE:PUBKEY[:FLAGS]", _("Add pay-to-pubkey output to TX") + ". " +
_("Optionally add the \"W\" flag to produce a pay-to-witness-pubkey-hash output") + ". " +
_("Optionally add the \"S\" flag to wrap the output in a pay-to-script-hash."));
strUsage += HelpMessageOpt("outdata=[VALUE:]DATA", _("Add data-based output to TX"));
strUsage += HelpMessageOpt("outscript=VALUE:SCRIPT[:FLAGS]", _("Add raw script output to TX") + ". " +
_("Optionally add the \"W\" flag to produce a pay-to-witness-script-hash output") + ". " +
_("Optionally add the \"S\" flag to wrap the output in a pay-to-script-hash."));
strUsage += HelpMessageOpt("outmultisig=VALUE:REQUIRED:PUBKEYS:PUBKEY1:PUBKEY2:....[:FLAGS]", _("Add Pay To n-of-m Multi-sig output to TX. n = REQUIRED, m = PUBKEYS") + ". " +
_("Optionally add the \"W\" flag to produce a pay-to-witness-script-hash output") + ". " +
_("Optionally add the \"S\" flag to wrap the output in a pay-to-script-hash."));
strUsage += HelpMessageOpt("sign=SIGHASH-FLAGS", _("Add zero or more signatures to transaction") + ". " +
_("This command requires JSON registers:") +
_("prevtxs=JSON object") + ", " +
_("privatekeys=JSON object") + ". " +
_("See signrawtransaction docs for format of sighash flags, JSON objects."));
fprintf(stdout, "%s", strUsage.c_str());
strUsage = HelpMessageGroup(_("Register Commands:"));
strUsage += HelpMessageOpt("load=NAME:FILENAME", _("Load JSON file FILENAME into register NAME"));
strUsage += HelpMessageOpt("set=NAME:JSON-STRING", _("Set register NAME to given JSON-STRING"));
fprintf(stdout, "%s", strUsage.c_str());
if (argc < 2) {
fprintf(stderr, "Error: too few parameters\n");
return EXIT_FAILURE;
}
return EXIT_SUCCESS;
}
return CONTINUE_EXECUTION;
}
static void RegisterSetJson(const std::string& key, const std::string& rawJson)
{
UniValue val;
if (!val.read(rawJson)) {
std::string strErr = "Cannot parse JSON for key " + key;
throw std::runtime_error(strErr);
}
registers[key] = val;
}
static void RegisterSet(const std::string& strInput)
{
// separate NAME:VALUE in string
size_t pos = strInput.find(':');
if ((pos == std::string::npos) ||
(pos == 0) ||
(pos == (strInput.size() - 1)))
throw std::runtime_error("Register input requires NAME:VALUE");
std::string key = strInput.substr(0, pos);
std::string valStr = strInput.substr(pos + 1, std::string::npos);
RegisterSetJson(key, valStr);
}
static void RegisterLoad(const std::string& strInput)
{
// separate NAME:FILENAME in string
size_t pos = strInput.find(':');
if ((pos == std::string::npos) ||
(pos == 0) ||
(pos == (strInput.size() - 1)))
throw std::runtime_error("Register load requires NAME:FILENAME");
std::string key = strInput.substr(0, pos);
std::string filename = strInput.substr(pos + 1, std::string::npos);
FILE *f = fopen(filename.c_str(), "r");
if (!f) {
std::string strErr = "Cannot open file " + filename;
throw std::runtime_error(strErr);
}
// load file chunks into one big buffer
std::string valStr;
while ((!feof(f)) && (!ferror(f))) {
char buf[4096];
int bread = fread(buf, 1, sizeof(buf), f);
if (bread <= 0)
break;
valStr.insert(valStr.size(), buf, bread);
}
int error = ferror(f);
fclose(f);
if (error) {
std::string strErr = "Error reading file " + filename;
throw std::runtime_error(strErr);
}
// evaluate as JSON buffer register
RegisterSetJson(key, valStr);
}
static CAmount ExtractAndValidateValue(const std::string& strValue)
{
CAmount value;
if (!ParseMoney(strValue, value))
throw std::runtime_error("invalid TX output value");
return value;
}
static void MutateTxVersion(CMutableTransaction& tx, const std::string& cmdVal)
{
int64_t newVersion = atoi64(cmdVal);
if (newVersion < 1 || newVersion > CTransaction::MAX_STANDARD_VERSION)
throw std::runtime_error("Invalid TX version requested");
tx.nVersion = (int) newVersion;
}
static void MutateTxLocktime(CMutableTransaction& tx, const std::string& cmdVal)
{
int64_t newLocktime = atoi64(cmdVal);
if (newLocktime < 0LL || newLocktime > 0xffffffffLL)
throw std::runtime_error("Invalid TX locktime requested");
tx.nLockTime = (unsigned int) newLocktime;
}
static void MutateTxAddInput(CMutableTransaction& tx, const std::string& strInput)
{
std::vector<std::string> vStrInputParts;
boost::split(vStrInputParts, strInput, boost::is_any_of(":"));
// separate TXID:VOUT in string
if (vStrInputParts.size()<2)
throw std::runtime_error("TX input missing separator");
// extract and validate TXID
std::string strTxid = vStrInputParts[0];
if ((strTxid.size() != 64) || !IsHex(strTxid))
throw std::runtime_error("invalid TX input txid");
uint256 txid(uint256S(strTxid));
static const unsigned int minTxOutSz = 9;
static const unsigned int maxVout = MAX_BLOCK_BASE_SIZE / minTxOutSz;
// extract and validate vout
std::string strVout = vStrInputParts[1];
int vout = atoi(strVout);
if ((vout < 0) || (vout > (int)maxVout))
throw std::runtime_error("invalid TX input vout");
// extract the optional sequence number
uint32_t nSequenceIn=std::numeric_limits<unsigned int>::max();
if (vStrInputParts.size() > 2)
nSequenceIn = std::stoul(vStrInputParts[2]);
// append to transaction input list
CTxIn txin(txid, vout, CScript(), nSequenceIn);
tx.vin.push_back(txin);
}
static void MutateTxAddOutAddr(CMutableTransaction& tx, const std::string& strInput)
{
// Separate into VALUE:ADDRESS
std::vector<std::string> vStrInputParts;
boost::split(vStrInputParts, strInput, boost::is_any_of(":"));
if (vStrInputParts.size() != 2)
throw std::runtime_error("TX output missing or too many separators");
// Extract and validate VALUE
CAmount value = ExtractAndValidateValue(vStrInputParts[0]);
// extract and validate ADDRESS
std::string strAddr = vStrInputParts[1];
CBitcoinAddress addr(strAddr);
if (!addr.IsValid())
throw std::runtime_error("invalid TX output address");
// build standard output script via GetScriptForDestination()
CScript scriptPubKey = GetScriptForDestination(addr.Get());
// construct TxOut, append to transaction output list
CTxOut txout(value, scriptPubKey);
tx.vout.push_back(txout);
}
static void MutateTxAddOutPubKey(CMutableTransaction& tx, const std::string& strInput)
{
// Separate into VALUE:PUBKEY[:FLAGS]
std::vector<std::string> vStrInputParts;
boost::split(vStrInputParts, strInput, boost::is_any_of(":"));
if (vStrInputParts.size() < 2 || vStrInputParts.size() > 3)
throw std::runtime_error("TX output missing or too many separators");
// Extract and validate VALUE
CAmount value = ExtractAndValidateValue(vStrInputParts[0]);
// Extract and validate PUBKEY
CPubKey pubkey(ParseHex(vStrInputParts[1]));
if (!pubkey.IsFullyValid())
throw std::runtime_error("invalid TX output pubkey");
CScript scriptPubKey = GetScriptForRawPubKey(pubkey);
CBitcoinAddress addr(scriptPubKey);
// Extract and validate FLAGS
bool bSegWit = false;
bool bScriptHash = false;
if (vStrInputParts.size() == 3) {
std::string flags = vStrInputParts[2];
bSegWit = (flags.find("W") != std::string::npos);
bScriptHash = (flags.find("S") != std::string::npos);
}
if (bSegWit) {
// Call GetScriptForWitness() to build a P2WSH scriptPubKey
scriptPubKey = GetScriptForWitness(scriptPubKey);
}
if (bScriptHash) {
// Get the address for the redeem script, then call
// GetScriptForDestination() to construct a P2SH scriptPubKey.
CBitcoinAddress redeemScriptAddr(scriptPubKey);
scriptPubKey = GetScriptForDestination(redeemScriptAddr.Get());
}
// construct TxOut, append to transaction output list
CTxOut txout(value, scriptPubKey);
tx.vout.push_back(txout);
}
static void MutateTxAddOutMultiSig(CMutableTransaction& tx, const std::string& strInput)
{
// Separate into VALUE:REQUIRED:NUMKEYS:PUBKEY1:PUBKEY2:....[:FLAGS]
std::vector<std::string> vStrInputParts;
boost::split(vStrInputParts, strInput, boost::is_any_of(":"));
// Check that there are enough parameters
if (vStrInputParts.size()<3)
throw std::runtime_error("Not enough multisig parameters");
// Extract and validate VALUE
CAmount value = ExtractAndValidateValue(vStrInputParts[0]);
// Extract REQUIRED
uint32_t required = stoul(vStrInputParts[1]);
// Extract NUMKEYS
uint32_t numkeys = stoul(vStrInputParts[2]);
// Validate there are the correct number of pubkeys
if (vStrInputParts.size() < numkeys + 3)
throw std::runtime_error("incorrect number of multisig pubkeys");
if (required < 1 || required > 20 || numkeys < 1 || numkeys > 20 || numkeys < required)
throw std::runtime_error("multisig parameter mismatch. Required " \
+ std::to_string(required) + " of " + std::to_string(numkeys) + "signatures.");
// extract and validate PUBKEYs
std::vector<CPubKey> pubkeys;
for(int pos = 1; pos <= int(numkeys); pos++) {
CPubKey pubkey(ParseHex(vStrInputParts[pos + 2]));
if (!pubkey.IsFullyValid())
throw std::runtime_error("invalid TX output pubkey");
pubkeys.push_back(pubkey);
}
// Extract FLAGS
bool bSegWit = false;
bool bScriptHash = false;
if (vStrInputParts.size() == numkeys + 4) {
std::string flags = vStrInputParts.back();
bSegWit = (flags.find("W") != std::string::npos);
bScriptHash = (flags.find("S") != std::string::npos);
}
else if (vStrInputParts.size() > numkeys + 4) {
// Validate that there were no more parameters passed
throw std::runtime_error("Too many parameters");
}
CScript scriptPubKey = GetScriptForMultisig(required, pubkeys);
if (bSegWit) {
// Call GetScriptForWitness() to build a P2WSH scriptPubKey
scriptPubKey = GetScriptForWitness(scriptPubKey);
}
if (bScriptHash) {
// Get the address for the redeem script, then call
// GetScriptForDestination() to construct a P2SH scriptPubKey.
CBitcoinAddress addr(scriptPubKey);
scriptPubKey = GetScriptForDestination(addr.Get());
}
// construct TxOut, append to transaction output list
CTxOut txout(value, scriptPubKey);
tx.vout.push_back(txout);
}
static void MutateTxAddOutData(CMutableTransaction& tx, const std::string& strInput)
{
CAmount value = 0;
// separate [VALUE:]DATA in string
size_t pos = strInput.find(':');
if (pos==0)
throw std::runtime_error("TX output value not specified");
if (pos != std::string::npos) {
// Extract and validate VALUE
value = ExtractAndValidateValue(strInput.substr(0, pos));
}
// extract and validate DATA
std::string strData = strInput.substr(pos + 1, std::string::npos);
if (!IsHex(strData))
throw std::runtime_error("invalid TX output data");
std::vector<unsigned char> data = ParseHex(strData);
CTxOut txout(value, CScript() << OP_RETURN << data);
tx.vout.push_back(txout);
}
static void MutateTxAddOutScript(CMutableTransaction& tx, const std::string& strInput)
{
// separate VALUE:SCRIPT[:FLAGS]
std::vector<std::string> vStrInputParts;
boost::split(vStrInputParts, strInput, boost::is_any_of(":"));
if (vStrInputParts.size() < 2)
throw std::runtime_error("TX output missing separator");
// Extract and validate VALUE
CAmount value = ExtractAndValidateValue(vStrInputParts[0]);
// extract and validate script
std::string strScript = vStrInputParts[1];
CScript scriptPubKey = ParseScript(strScript);
// Extract FLAGS
bool bSegWit = false;
bool bScriptHash = false;
if (vStrInputParts.size() == 3) {
std::string flags = vStrInputParts.back();
bSegWit = (flags.find("W") != std::string::npos);
bScriptHash = (flags.find("S") != std::string::npos);
}
if (bSegWit) {
scriptPubKey = GetScriptForWitness(scriptPubKey);
}
if (bScriptHash) {
CBitcoinAddress addr(scriptPubKey);
scriptPubKey = GetScriptForDestination(addr.Get());
}
// construct TxOut, append to transaction output list
CTxOut txout(value, scriptPubKey);
tx.vout.push_back(txout);
}
static void MutateTxDelInput(CMutableTransaction& tx, const std::string& strInIdx)
{
// parse requested deletion index
int inIdx = atoi(strInIdx);
if (inIdx < 0 || inIdx >= (int)tx.vin.size()) {
std::string strErr = "Invalid TX input index '" + strInIdx + "'";
throw std::runtime_error(strErr.c_str());
}
// delete input from transaction
tx.vin.erase(tx.vin.begin() + inIdx);
}
static void MutateTxDelOutput(CMutableTransaction& tx, const std::string& strOutIdx)
{
// parse requested deletion index
int outIdx = atoi(strOutIdx);
if (outIdx < 0 || outIdx >= (int)tx.vout.size()) {
std::string strErr = "Invalid TX output index '" + strOutIdx + "'";
throw std::runtime_error(strErr.c_str());
}
// delete output from transaction
tx.vout.erase(tx.vout.begin() + outIdx);
}
static const unsigned int N_SIGHASH_OPTS = 6;
static const struct {
const char *flagStr;
int flags;
} sighashOptions[N_SIGHASH_OPTS] = {
{"ALL", SIGHASH_ALL},
{"NONE", SIGHASH_NONE},
{"SINGLE", SIGHASH_SINGLE},
{"ALL|ANYONECANPAY", SIGHASH_ALL|SIGHASH_ANYONECANPAY},
{"NONE|ANYONECANPAY", SIGHASH_NONE|SIGHASH_ANYONECANPAY},
{"SINGLE|ANYONECANPAY", SIGHASH_SINGLE|SIGHASH_ANYONECANPAY},
};
static bool findSighashFlags(int& flags, const std::string& flagStr)
{
flags = 0;
for (unsigned int i = 0; i < N_SIGHASH_OPTS; i++) {
if (flagStr == sighashOptions[i].flagStr) {
flags = sighashOptions[i].flags;
return true;
}
}
return false;
}
uint256 ParseHashUO(std::map<std::string,UniValue>& o, std::string strKey)
{
if (!o.count(strKey))
return uint256();
return ParseHashUV(o[strKey], strKey);
}
std::vector<unsigned char> ParseHexUO(std::map<std::string,UniValue>& o, std::string strKey)
{
if (!o.count(strKey)) {
std::vector<unsigned char> emptyVec;
return emptyVec;
}
return ParseHexUV(o[strKey], strKey);
}
static CAmount AmountFromValue(const UniValue& value)
{
if (!value.isNum() && !value.isStr())
throw std::runtime_error("Amount is not a number or string");
CAmount amount;
if (!ParseFixedPoint(value.getValStr(), 8, &amount))
throw std::runtime_error("Invalid amount");
if (!MoneyRange(amount))
throw std::runtime_error("Amount out of range");
return amount;
}
static void MutateTxSign(CMutableTransaction& tx, const std::string& flagStr)
{
int nHashType = SIGHASH_ALL;
if (flagStr.size() > 0)
if (!findSighashFlags(nHashType, flagStr))
throw std::runtime_error("unknown sighash flag/sign option");
std::vector<CTransaction> txVariants;
txVariants.push_back(tx);
// mergedTx will end up with all the signatures; it
// starts as a clone of the raw tx:
CMutableTransaction mergedTx(txVariants[0]);
bool fComplete = true;
CCoinsView viewDummy;
CCoinsViewCache view(&viewDummy);
if (!registers.count("privatekeys"))
throw std::runtime_error("privatekeys register variable must be set.");
CBasicKeyStore tempKeystore;
UniValue keysObj = registers["privatekeys"];
for (unsigned int kidx = 0; kidx < keysObj.size(); kidx++) {
if (!keysObj[kidx].isStr())
throw std::runtime_error("privatekey not a std::string");
CBitcoinSecret vchSecret;
bool fGood = vchSecret.SetString(keysObj[kidx].getValStr());
if (!fGood)
throw std::runtime_error("privatekey not valid");
CKey key = vchSecret.GetKey();
tempKeystore.AddKey(key);
}
// Add previous txouts given in the RPC call:
if (!registers.count("prevtxs"))
throw std::runtime_error("prevtxs register variable must be set.");
UniValue prevtxsObj = registers["prevtxs"];
{
for (unsigned int previdx = 0; previdx < prevtxsObj.size(); previdx++) {
UniValue prevOut = prevtxsObj[previdx];
if (!prevOut.isObject())
throw std::runtime_error("expected prevtxs internal object");
std::map<std::string,UniValue::VType> types = boost::assign::map_list_of("txid", UniValue::VSTR)("vout",UniValue::VNUM)("scriptPubKey",UniValue::VSTR);
if (!prevOut.checkObject(types))
throw std::runtime_error("prevtxs internal object typecheck fail");
uint256 txid = ParseHashUV(prevOut["txid"], "txid");
int nOut = atoi(prevOut["vout"].getValStr());
if (nOut < 0)
throw std::runtime_error("vout must be positive");
std::vector<unsigned char> pkData(ParseHexUV(prevOut["scriptPubKey"], "scriptPubKey"));
CScript scriptPubKey(pkData.begin(), pkData.end());
{
CCoinsModifier coins = view.ModifyCoins(txid);
if (coins->IsAvailable(nOut) && coins->vout[nOut].scriptPubKey != scriptPubKey) {
std::string err("Previous output scriptPubKey mismatch:\n");
err = err + ScriptToAsmStr(coins->vout[nOut].scriptPubKey) + "\nvs:\n"+
ScriptToAsmStr(scriptPubKey);
throw std::runtime_error(err);
}
if ((unsigned int)nOut >= coins->vout.size())
coins->vout.resize(nOut+1);
coins->vout[nOut].scriptPubKey = scriptPubKey;
coins->vout[nOut].nValue = 0;
if (prevOut.exists("amount")) {
coins->vout[nOut].nValue = AmountFromValue(prevOut["amount"]);
}
}
// if redeemScript given and private keys given,
// add redeemScript to the tempKeystore so it can be signed:
if ((scriptPubKey.IsPayToScriptHash() || scriptPubKey.IsPayToWitnessScriptHash()) &&
prevOut.exists("redeemScript")) {
UniValue v = prevOut["redeemScript"];
std::vector<unsigned char> rsData(ParseHexUV(v, "redeemScript"));
CScript redeemScript(rsData.begin(), rsData.end());
tempKeystore.AddCScript(redeemScript);
}
}
}
const CKeyStore& keystore = tempKeystore;
bool fHashSingle = ((nHashType & ~SIGHASH_ANYONECANPAY) == SIGHASH_SINGLE);
// Sign what we can:
for (unsigned int i = 0; i < mergedTx.vin.size(); i++) {
CTxIn& txin = mergedTx.vin[i];
const CCoins* coins = view.AccessCoins(txin.prevout.hash);
if (!coins || !coins->IsAvailable(txin.prevout.n)) {
fComplete = false;
continue;
}
const CScript& prevPubKey = coins->vout[txin.prevout.n].scriptPubKey;
const CAmount& amount = coins->vout[txin.prevout.n].nValue;
SignatureData sigdata;
// Only sign SIGHASH_SINGLE if there's a corresponding output:
if (!fHashSingle || (i < mergedTx.vout.size()))
ProduceSignature(MutableTransactionSignatureCreator(&keystore, &mergedTx, i, amount, nHashType), prevPubKey, sigdata);
// ... and merge in other signatures:
BOOST_FOREACH(const CTransaction& txv, txVariants)
sigdata = CombineSignatures(prevPubKey, MutableTransactionSignatureChecker(&mergedTx, i, amount), sigdata, DataFromTransaction(txv, i));
UpdateTransaction(mergedTx, i, sigdata);
if (!VerifyScript(txin.scriptSig, prevPubKey, &txin.scriptWitness, STANDARD_SCRIPT_VERIFY_FLAGS, MutableTransactionSignatureChecker(&mergedTx, i, amount)))
fComplete = false;
}
if (fComplete) {
// do nothing... for now
// perhaps store this for later optional JSON output
}
tx = mergedTx;
}
class Secp256k1Init
{
ECCVerifyHandle globalVerifyHandle;
public:
Secp256k1Init() {
ECC_Start();
}
~Secp256k1Init() {
ECC_Stop();
}
};
static void MutateTx(CMutableTransaction& tx, const std::string& command,
const std::string& commandVal)
{
std::unique_ptr<Secp256k1Init> ecc;
if (command == "nversion")
MutateTxVersion(tx, commandVal);
else if (command == "locktime")
MutateTxLocktime(tx, commandVal);
else if (command == "delin")
MutateTxDelInput(tx, commandVal);
else if (command == "in")
MutateTxAddInput(tx, commandVal);
else if (command == "delout")
MutateTxDelOutput(tx, commandVal);
else if (command == "outaddr")
MutateTxAddOutAddr(tx, commandVal);
else if (command == "outpubkey")
MutateTxAddOutPubKey(tx, commandVal);
else if (command == "outmultisig")
MutateTxAddOutMultiSig(tx, commandVal);
else if (command == "outscript")
MutateTxAddOutScript(tx, commandVal);
else if (command == "outdata")
MutateTxAddOutData(tx, commandVal);
else if (command == "sign") {
if (!ecc) { ecc.reset(new Secp256k1Init()); }
MutateTxSign(tx, commandVal);
}
else if (command == "load")
RegisterLoad(commandVal);
else if (command == "set")
RegisterSet(commandVal);
else
throw std::runtime_error("unknown command");
}
static void OutputTxJSON(const CTransaction& tx)
{
UniValue entry(UniValue::VOBJ);
TxToUniv(tx, uint256(), entry);
std::string jsonOutput = entry.write(4);
fprintf(stdout, "%s\n", jsonOutput.c_str());
}
static void OutputTxHash(const CTransaction& tx)
{
std::string strHexHash = tx.GetHash().GetHex(); // the hex-encoded transaction hash (aka the transaction id)
fprintf(stdout, "%s\n", strHexHash.c_str());
}
static void OutputTxHex(const CTransaction& tx)
{
std::string strHex = EncodeHexTx(tx);
fprintf(stdout, "%s\n", strHex.c_str());
}
static void OutputTx(const CTransaction& tx)
{
if (GetBoolArg("-json", false))
OutputTxJSON(tx);
else if (GetBoolArg("-txid", false))
OutputTxHash(tx);
else
OutputTxHex(tx);
}
static std::string readStdin()
{
char buf[4096];
std::string ret;
while (!feof(stdin)) {
size_t bread = fread(buf, 1, sizeof(buf), stdin);
ret.append(buf, bread);
if (bread < sizeof(buf))
break;
}
if (ferror(stdin))
throw std::runtime_error("error reading stdin");
boost::algorithm::trim_right(ret);
return ret;
}
static int CommandLineRawTx(int argc, char* argv[])
{
std::string strPrint;
int nRet = 0;
try {
// Skip switches; Permit common stdin convention "-"
while (argc > 1 && IsSwitchChar(argv[1][0]) &&
(argv[1][1] != 0)) {
argc--;
argv++;
}
CMutableTransaction tx;
int startArg;
if (!fCreateBlank) {
// require at least one param
if (argc < 2)
throw std::runtime_error("too few parameters");
// param: hex-encoded bitcoin transaction
std::string strHexTx(argv[1]);
if (strHexTx == "-") // "-" implies standard input
strHexTx = readStdin();
if (!DecodeHexTx(tx, strHexTx, true))
throw std::runtime_error("invalid transaction encoding");
startArg = 2;
} else
startArg = 1;
for (int i = startArg; i < argc; i++) {
std::string arg = argv[i];
std::string key, value;
size_t eqpos = arg.find('=');
if (eqpos == std::string::npos)
key = arg;
else {
key = arg.substr(0, eqpos);
value = arg.substr(eqpos + 1);
}
MutateTx(tx, key, value);
}
OutputTx(tx);
}
catch (const boost::thread_interrupted&) {
throw;
}
catch (const std::exception& e) {
strPrint = std::string("error: ") + e.what();
nRet = EXIT_FAILURE;
}
catch (...) {
PrintExceptionContinue(NULL, "CommandLineRawTx()");
throw;
}
if (strPrint != "") {
fprintf((nRet == 0 ? stdout : stderr), "%s\n", strPrint.c_str());
}
return nRet;
}
int main(int argc, char* argv[])
{
SetupEnvironment();
try {
int ret = AppInitRawTx(argc, argv);
if (ret != CONTINUE_EXECUTION)
return ret;
}
catch (const std::exception& e) {
PrintExceptionContinue(&e, "AppInitRawTx()");
return EXIT_FAILURE;
} catch (...) {
PrintExceptionContinue(NULL, "AppInitRawTx()");
return EXIT_FAILURE;
}
int ret = EXIT_FAILURE;
try {
ret = CommandLineRawTx(argc, argv);
}
catch (const std::exception& e) {
PrintExceptionContinue(&e, "CommandLineRawTx()");
} catch (...) {
PrintExceptionContinue(NULL, "CommandLineRawTx()");
}
return ret;
}
| [
"litecoineco@yahoo.com"
] | litecoineco@yahoo.com |
5f178280394ffd726b94d53560e7fe0a7087b0af | 258bdb59521290cff0c48616d5abb6f293183c5a | /LightSwitch/Buttons.ino | 8d9d8015b7decb3a3e5fc7777916d870de8b5e2e | [] | no_license | RobotGrrl/studioy | e3d1082bbebdce76467d0a7bc49c2a38ea1e66a4 | 66ee51a6d0210f919534afd188668fc1370dab57 | refs/heads/master | 2021-01-10T16:13:39.895364 | 2015-11-20T14:50:30 | 2015-11-20T14:50:30 | 44,460,670 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,595 | ino |
void updateDButton() {
button_D_prev = button_D_current;
button_D_current = digitalRead(button_D);
// pressing / debouncing
if(button_D_prev == LOW && button_D_current == HIGH && current_time-button_D_up > 20) {
button_D_down = current_time;
button_D_state = 1;
if(LOG_LEVEL == 0) Serial.println("DETAIL!");
dButtonPressed();
}
if(button_D_prev == HIGH && button_D_current == LOW && current_time-button_D_down > 20) {
button_D_state = 0;
if(LOG_LEVEL == 0) Serial.println("DETAIL! released");
button_lock = false;
msg_displayed = false;
dButtonReleased();
}
// wait 100ms before saying that the button is being held down
if(button_D_prev == HIGH && button_D_current == HIGH && current_time-button_D_down > 20) {
// holding
long holding_D = current_time-button_D_down;
button_D_state = 2;
if(LOG_LEVEL == 0) { Serial.print("DETAIL! "); Serial.println(holding_D); }
}
}
void updateOnButton() {
button_L_prev = button_L_current;
button_L_current = digitalRead(button_L);
// pressing / debouncing
if(button_L_prev == LOW && button_L_current == HIGH && current_time-button_L_up > 20) {
button_L_down = current_time;
button_L_state = 1;
if(LOG_LEVEL == 0) Serial.println("ON!");
onButtonPressed();
}
if(button_L_prev == HIGH && button_L_current == LOW && current_time-button_L_down > 20) {
button_L_state = 0;
if(LOG_LEVEL == 0) Serial.println("ON! released");
button_lock = false;
msg_displayed = false;
onButtonReleased();
}
// wait 100ms before saying that the button is being held down
if(button_L_prev == HIGH && button_L_current == HIGH && current_time-button_L_down > 20) {
// holding
long holding_L = current_time-button_L_down;
button_L_state = 2;
if(LOG_LEVEL == 0) Serial.print("ON! "); Serial.println(holding_L);
button_lock = true;
if(CURRENT_STATE == CYCLE_MODE) {
lcd.clear();
lcd.home();
if(tou_state == 0) {
if(!msg_displayed) {
lcdSetColour(10, 255, 10);
lcd.setCursor(0, 0);
lcd.print("Hold for");
lcd.setCursor(0, 1);
lcd.print("5 seconds");
}
lcd.setCursor(15, 1);
if(holding_L >= 4000) {
lcd.print("1");
} else if(holding_L >= 3000) {
lcd.print("2");
} else if(holding_L >= 2000) {
lcd.print("3");
} else if(holding_L >= 1000) {
lcd.print("4");
} else if(holding_L >= 0) {
lcd.print("5");
}
if(holding_L >= long(5*1000)) {
lcd.setCursor(0, 0);
lcd.print("Lumenbot");
lcd.setCursor(0, 1);
lcd.print("activated");
light_on = true;
servoTurnLightOn();
digitalWrite(led_L, LOW);
}
} else if(tou_state == 1) {
if(!msg_displayed) {
lcdSetColour(200, 200, 10);
lcd.setCursor(0, 0);
lcd.print("Hold for");
lcd.setCursor(0, 1);
lcd.print("7 seconds");
}
lcd.setCursor(15, 1);
if(holding_L >= 6000) {
lcd.print("1");
} else if(holding_L >= 5000) {
lcd.print("2");
} else if(holding_L >= 4000) {
lcd.print("3");
} else if(holding_L >= 3000) {
lcd.print("4");
} else if(holding_L >= 2000) {
lcd.print("5");
} else if(holding_L >= 1000) {
lcd.print("6");
} else if(holding_L >= 0) {
lcd.print("7");
}
if(holding_L >= long(7*1000)) {
lcd.setCursor(0, 0);
lcd.print("Lumenbot");
lcd.setCursor(0, 1);
lcd.print("activated");
light_on = true;
servoTurnLightOn();
digitalWrite(led_L, LOW);
}
} else if(tou_state == 2) {
if(!msg_displayed) {
lcdSetColour(255, 10, 10);
lcd.setCursor(0, 0);
lcd.print("Peak capacity-");
lcd.setCursor(0, 1);
lcd.print("On is disabled");
}
}
if(!msg_displayed) msg_displayed = true;
}
}
}
void updateOffButton() {
button_R_prev = button_R_current;
button_R_current = digitalRead(button_R);
// pressing / debouncing
if(button_R_prev == LOW && button_R_current == HIGH && current_time-button_R_down > 20) {
button_R_down = current_time;
button_R_state = 1;
if(LOG_LEVEL == 0) Serial.print("OFF!");
offButtonPressed();
}
if(button_R_prev == HIGH && button_R_current == LOW && current_time-button_R_down > 20) {
button_R_state = 0;
if(LOG_LEVEL == 0) Serial.println("OFF! released");
offButtonReleased();
if(CURRENT_STATE == CYCLE_MODE) {
light_on = false;
lcd.clear();
lcd.home();
if(tou_state == 0) {
lcdSetColour(10, 255, 10);
lcd.setCursor(0, 0);
lcd.print("Thank you!");
} else if(tou_state == 1) {
lcdSetColour(200, 200, 10);
lcd.setCursor(0, 0);
lcd.print("Thank you!");
} else if(tou_state == 2) {
lcdSetColour(255, 10, 10);
lcd.setCursor(0, 0);
lcd.print("Try again when");
lcd.setCursor(0, 1);
lcd.print("not on peak load");
}
}
// wait 100ms before saying that the button is being held down
if(button_R_prev == HIGH && button_R_current == HIGH && current_time-button_R_down > 20) {
// holding
long holding_R = current_time-button_R_down;
button_R_state = 2;
if(LOG_LEVEL == 0) Serial.print("OFF! "); Serial.println(holding_R);
}
}
}
void onButtonPressed() {
digitalWrite(led_L, HIGH);
readRTC();
light_on_time = thetime.minute + (60*thetime.hour);
light_start_s = convertToSeconds(thetime.hour, thetime.minute, thetime.second);
if(CURRENT_STATE == LIVE_MODE) {
light_on_seconds = thetime.second + (60*thetime.minute) + (60*60*thetime.hour);
light_on = true;
servoTurnLightOn();
// output some data
if(LOG_LEVEL >= 0) Serial.print("Light turned on: ");
if(LOG_LEVEL >= 0) printTheTime();
}
if(CURRENT_STATE == TIMER_MODE) {
light_on = true;
servoTurnLightOn();
}
}
void offButtonPressed() {
digitalWrite(led_R, HIGH);
}
void onButtonReleased() {
digitalWrite(led_L, LOW);
}
void offButtonReleased() {
servoTurnLightOff();
digitalWrite(led_R, LOW);
if(light_on) {
// it was on, now it's off - increment the counter
num_times_turned_on++;
}
light_on = false;
readRTC();
// this was probably in minutes, now it's seconds... have to clean this code
light_off_time = convertToSeconds(thetime.hour, thetime.minute, thetime.second);
if(CURRENT_STATE == LIVE_MODE) {
servoTurnLightOff();
digitalWrite(led_L, LOW);
// output some data
if(LOG_LEVEL >= 0) Serial.print("Light turned off: ");
if(LOG_LEVEL >= 0) printTheTime();
}
// calculating how long the light has been on for
light_end_s = convertToSeconds(thetime.hour, thetime.minute, thetime.second);
light_duration = abs(light_end_s - light_start_s);
Serial.print("Elapsed duration (");
Serial.print(light_duration);
Serial.print("s) ");
printConvertToHMS(light_duration);
Serial.print("\n");
Serial.print("Number of times turned on: ");
Serial.print(num_times_turned_on);
Serial.print("\n");
}
void dButtonPressed() {
// nothing to do really
}
void dButtonReleased() {
// switch modes
playTone(400, 80);
delay(80);
mode_press++;
if(mode_press > 4) mode_press = 0;
/*
const int CYCLE_MODE = 3;
const int LIVE_MODE = 4;
const int TIMER_MODE = 5;
const int AMBIENT_MODE = 6;
const int CREDITS_MODE = 7;
*/
if(mode_press == 0) {
last_update_live_mode = 0;
CURRENT_STATE = LIVE_MODE;
}
if(mode_press == 1) {
last_msg_flip = 0;
CURRENT_STATE = CYCLE_MODE;
}
if(mode_press == 2) {
last_update = 0;
CURRENT_STATE = TIMER_MODE;
}
if(mode_press == 3) {
last_update = 0;
CURRENT_STATE = AMBIENT_MODE;
}
if(mode_press == 4) {
cur_msg = 9; // just hacking how it advances quickly at the start
last_msg_flip = 0;
CURRENT_STATE = CREDITS_MODE;
}
}
| [
"erin@robotgrrl.com"
] | erin@robotgrrl.com |
5c353fb0c4247ef03d523c7aa3e220cb8ac647c4 | 05f7573db159e870fb26c847991c4cb8c407ed4c | /VBF/3rdParty/3rdParty_vs2010_x86/include/ifcpp/IFC4/IfcRelFillsElement.h | 3f47056c2dd349b380385a4e15064f857385cfa6 | [] | no_license | riyue625/OneGIS.ModelingTool | e126ef43429ce58d22c65832d96dbd113eacbf85 | daf3dc91584df7ecfed6a51130ecdf6671614ac4 | refs/heads/master | 2020-05-28T12:12:43.543730 | 2018-09-06T07:42:00 | 2018-09-06T07:42:00 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,547 | h | /* -*-c++-*- IfcPlusPlus - www.ifcplusplus.com - Copyright (C) 2011 Fabian Gerold
*
* This library is open source and may be redistributed and/or modified under
* the terms of the OpenSceneGraph Public License (OSGPL) version 0.0 or
* (at your option) any later version. The full license is in LICENSE file
* included with this distribution, and on the openscenegraph.org website.
*
* This library is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* OpenSceneGraph Public License for more details.
*/
#pragma once
#include <vector>
#include <map>
#include <sstream>
#include <string>
#include "model/shared_ptr.h"
#include "model/IfcPPObject.h"
#include "model/IfcPPGlobal.h"
#include "IfcRelConnects.h"
class IFCPP_EXPORT IfcOpeningElement;
class IFCPP_EXPORT IfcElement;
//ENTITY
class IFCPP_EXPORT IfcRelFillsElement : public IfcRelConnects
{
public:
IfcRelFillsElement();
IfcRelFillsElement( int id );
~IfcRelFillsElement();
virtual shared_ptr<IfcPPObject> getDeepCopy( IfcPPCopyOptions& options );
virtual void getStepLine( std::stringstream& stream ) const;
virtual void getStepParameter( std::stringstream& stream, bool is_select_type = false ) const;
virtual void readStepArguments( const std::vector<std::wstring>& args, const boost::unordered_map<int,shared_ptr<IfcPPEntity> >& map );
virtual void setInverseCounterparts( shared_ptr<IfcPPEntity> ptr_self );
virtual void getAttributes( std::vector<std::pair<std::string, shared_ptr<IfcPPObject> > >& vec_attributes );
virtual void getAttributesInverse( std::vector<std::pair<std::string, shared_ptr<IfcPPObject> > >& vec_attributes );
virtual void unlinkFromInverseCounterparts();
virtual const char* className() const { return "IfcRelFillsElement"; }
// IfcRoot -----------------------------------------------------------
// attributes:
// shared_ptr<IfcGloballyUniqueId> m_GlobalId;
// shared_ptr<IfcOwnerHistory> m_OwnerHistory; //optional
// shared_ptr<IfcLabel> m_Name; //optional
// shared_ptr<IfcText> m_Description; //optional
// IfcRelationship -----------------------------------------------------------
// IfcRelConnects -----------------------------------------------------------
// IfcRelFillsElement -----------------------------------------------------------
// attributes:
shared_ptr<IfcOpeningElement> m_RelatingOpeningElement;
shared_ptr<IfcElement> m_RelatedBuildingElement;
};
| [
"robertsam@126.com"
] | robertsam@126.com |
ea91e9c7d0b4cfcbcd1e41b2b4cada63b8cf0b4b | 2e3d9d4b286b7b3d0b367181f5d1c2c154fb9b28 | /excise/TestException11_7_2013/catcher.cpp | 944a83366c70db00fd240ec6f6b5aae47482a753 | [] | no_license | squirrelClare/algorithm_cplusplus | 8237baf5cea6f79889eaad6360b2dadd7a1b3624 | 312a63851182962d014b6b5fba28bdd51decb033 | refs/heads/master | 2021-01-10T03:38:40.434217 | 2015-10-22T17:36:57 | 2015-10-22T17:36:57 | 44,685,760 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,358 | cpp | #include "catcher.h"
using namespace std;
Catcher::Catcher()
{
}
Catcher::~Catcher()
{
}
void Catcher::ReadIntegerFile(const QString &fileName, QVector<QString> &dest)
{
QFile f(fileName);
if (!f.open(QIODevice::ReadWrite|QIODevice::Text)){
throw FileOpenError(fileName.toStdString());
}
QTextStream out(&f);
do{
dest.push_back(out.readLine());
}while(!out.readLine().isNull());
f.close();
}
int Catcher::SafeDivide(const int num, int const den)
{//测试抛出三种异常
if (den==0){
throw invalid_argument("Divide by zero!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!");
}
if(den==2){
throw QString("the den is 2!!!!!");
}
if(den==1){
throw std::runtime_error("running erroring!!!");
}
return static_cast<int>(num/den);
}
//测试嵌套异常
void Catcher::DoSomething() const
{
try{
throw std::runtime_error("throwing a runtime_error exception!");
}catch(const std::runtime_error& e){
std::cerr<<__func__<<" :caught a runtime_error"<<std::endl;
std::cerr<<__func__<<" :throwing MyException"<<std::endl;
//将runtiem_error放到MyException中一起抛出去,MyException已经从nested_exception中集成了嵌套所必须的函数
std::throw_with_nested(MyException("MyException with nested runtime_error"));
}
}
| [
"zcc136314853@hotmail.com"
] | zcc136314853@hotmail.com |
4a420d2e95876fd5238d49cb688f4f649d198a50 | 600df3590cce1fe49b9a96e9ca5b5242884a2a70 | /buildtools/third_party/libc++/trunk/test/std/containers/associative/multimap/multimap.cons/initializer_list.pass.cpp | 937a202a55ea072ec354e84d69a156c90cd648f9 | [
"BSD-3-Clause",
"MIT",
"NCSA"
] | permissive | metux/chromium-suckless | efd087ba4f4070a6caac5bfbfb0f7a4e2f3c438a | 72a05af97787001756bae2511b7985e61498c965 | refs/heads/orig | 2022-12-04T23:53:58.681218 | 2017-04-30T10:59:06 | 2017-04-30T23:35:58 | 89,884,931 | 5 | 3 | BSD-3-Clause | 2022-11-23T20:52:53 | 2017-05-01T00:09:08 | null | UTF-8 | C++ | false | false | 2,164 | cpp | //===----------------------------------------------------------------------===//
//
// The LLVM Compiler Infrastructure
//
// This file is dual licensed under the MIT and the University of Illinois Open
// Source Licenses. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
// <map>
// class multimap
// multimap(initializer_list<value_type> il, const key_compare& comp = key_compare());
#include <map>
#include <cassert>
#include "min_allocator.h"
int main()
{
#ifndef _LIBCPP_HAS_NO_GENERALIZED_INITIALIZERS
{
typedef std::multimap<int, double> C;
typedef C::value_type V;
C m =
{
{1, 1},
{1, 1.5},
{1, 2},
{2, 1},
{2, 1.5},
{2, 2},
{3, 1},
{3, 1.5},
{3, 2}
};
assert(m.size() == 9);
assert(distance(m.begin(), m.end()) == 9);
C::const_iterator i = m.cbegin();
assert(*i == V(1, 1));
assert(*++i == V(1, 1.5));
assert(*++i == V(1, 2));
assert(*++i == V(2, 1));
assert(*++i == V(2, 1.5));
assert(*++i == V(2, 2));
assert(*++i == V(3, 1));
assert(*++i == V(3, 1.5));
assert(*++i == V(3, 2));
}
#if __cplusplus >= 201103L
{
typedef std::multimap<int, double, std::less<int>, min_allocator<std::pair<const int, double>>> C;
typedef C::value_type V;
C m =
{
{1, 1},
{1, 1.5},
{1, 2},
{2, 1},
{2, 1.5},
{2, 2},
{3, 1},
{3, 1.5},
{3, 2}
};
assert(m.size() == 9);
assert(distance(m.begin(), m.end()) == 9);
C::const_iterator i = m.cbegin();
assert(*i == V(1, 1));
assert(*++i == V(1, 1.5));
assert(*++i == V(1, 2));
assert(*++i == V(2, 1));
assert(*++i == V(2, 1.5));
assert(*++i == V(2, 2));
assert(*++i == V(3, 1));
assert(*++i == V(3, 1.5));
assert(*++i == V(3, 2));
}
#endif
#endif // _LIBCPP_HAS_NO_GENERALIZED_INITIALIZERS
}
| [
"enrico.weigelt@gr13.net"
] | enrico.weigelt@gr13.net |
e676707b3369a0cddcfd895ad7b26d5e53c5c87b | e44b39d795f3e604ab5a9698ecd4447332d0cc48 | /2015 Multi-University Training Contest/2015 Multi-University Training Contest 3/1002.cpp | 5d00ecb5a93776e6f67a8674ae3f4d207bda6510 | [] | no_license | Ilovezilian/acm | 4cd2d114333107f750812ccd2380af99e21942bb | c9f2fe995aec41ca0912a16eeda939675c6cc620 | refs/heads/master | 2021-06-07T23:41:01.335060 | 2016-10-30T02:25:17 | 2016-10-30T02:25:17 | 39,359,796 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 537 | cpp | /* ***********************************************
Author :Ilovezilian
Created Time :2015/7/28 21:26:52
File Name :1002.cpp
************************************************ */
#include <bits/stdc++.h>
#define fi(i,n) for(int i = 0; i < n; i ++)
#define fin(i,n1,n2) for(int i = n1; i < n2; i ++)
#define ll long long
#define INF 0x0x7fffffff
using namespace std;
const int N = 0, mod = 1e9+7;
int main()
{
//freopen("in.txt","r",stdin);
//freopen("out.txt","w",stdout);
cout<<"helloword"<<'\n';
return 0;
}
| [
"1084288424@qq.com"
] | 1084288424@qq.com |
c01d219f76b02baf7389101e06492e85b71a895c | 3550d341f15a8d950e0ae12ae403654157e62ca7 | /include/htmlengine/HTML/HTMLWhitespace.hpp | 87ff798243fc9de8b8040875876c2fd2561c6573 | [] | no_license | GitHub9800/HTMLEngine | 8680e1c6e23fdea6302f146387c55bf3f0a5c50d | 1bab9db43fa87e624ffcdeeeb0b6fe70d3d5d5ec | refs/heads/master | 2023-03-24T09:36:15.424083 | 2020-09-27T12:47:01 | 2020-09-27T12:47:01 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 220 | hpp | #pragma once
#include <htmlengine/XML/XMLWhitespace.hpp>
namespace HTMLEngine::HTML
{
class HTMLWhitespace : public XML::XMLWhitespace
{
public:
HTMLWhitespace();
~HTMLWhitespace();
};
} | [
"stidofficiel@gmail.com"
] | stidofficiel@gmail.com |
af0c15b83c5742eee62cfebd3b46bea6e39565c0 | 903c3714207536adb2beebb3f8d4cab4eed66e12 | /src/protocol/LockBatchBody.cpp | a63426dfc4b4f9a2aff20ef18dce379ac0962781 | [
"Apache-2.0",
"BSD-3-Clause"
] | permissive | kerematam/rocketmq-client-cpp | 91e25c045593de71b3163e5ab1cd4b7c63cc7e9b | de6579e385f442e0fc8c1cff187ca88ed6e940cf | refs/heads/master | 2020-08-29T20:36:27.801424 | 2019-10-22T14:49:58 | 2019-10-22T14:49:58 | 218,168,139 | 3 | 0 | Apache-2.0 | 2019-10-29T00:03:37 | 2019-10-29T00:03:36 | null | UTF-8 | C++ | false | false | 4,146 | cpp | /*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include "LockBatchBody.h"
#include "Logging.h"
namespace rocketmq { //<!end namespace;
string LockBatchRequestBody::getConsumerGroup() {
return consumerGroup;
}
void LockBatchRequestBody::setConsumerGroup(string in_consumerGroup) {
consumerGroup = in_consumerGroup;
}
string LockBatchRequestBody::getClientId() {
return clientId;
}
void LockBatchRequestBody::setClientId(string in_clientId) {
clientId = in_clientId;
}
vector<MQMessageQueue> LockBatchRequestBody::getMqSet() {
return mqSet;
}
void LockBatchRequestBody::setMqSet(vector<MQMessageQueue> in_mqSet) {
mqSet.swap(in_mqSet);
}
void LockBatchRequestBody::Encode(string& outData) {
Json::Value root;
root["consumerGroup"] = consumerGroup;
root["clientId"] = clientId;
vector<MQMessageQueue>::const_iterator it = mqSet.begin();
for (; it != mqSet.end(); it++) {
root["mqSet"].append(toJson(*it));
}
Json::FastWriter fastwrite;
outData = fastwrite.write(root);
}
Json::Value LockBatchRequestBody::toJson(const MQMessageQueue& mq) const {
Json::Value outJson;
outJson["topic"] = mq.getTopic();
outJson["brokerName"] = mq.getBrokerName();
outJson["queueId"] = mq.getQueueId();
return outJson;
}
vector<MQMessageQueue> LockBatchResponseBody::getLockOKMQSet() {
return lockOKMQSet;
}
void LockBatchResponseBody::setLockOKMQSet(vector<MQMessageQueue> in_lockOKMQSet) {
lockOKMQSet.swap(in_lockOKMQSet);
}
void LockBatchResponseBody::Decode(const MemoryBlock* mem, vector<MQMessageQueue>& messageQueues) {
messageQueues.clear();
//<! decode;
const char* const pData = static_cast<const char*>(mem->getData());
Json::Reader reader;
Json::Value root;
if (!reader.parse(pData, root)) {
LOG_WARN("decode LockBatchResponseBody error");
return;
}
Json::Value mqs = root["lockOKMQSet"];
LOG_DEBUG("LockBatchResponseBody mqs size:%d", mqs.size());
for (unsigned int i = 0; i < mqs.size(); i++) {
MQMessageQueue mq;
Json::Value qd = mqs[i];
mq.setTopic(qd["topic"].asString());
mq.setBrokerName(qd["brokerName"].asString());
mq.setQueueId(qd["queueId"].asInt());
LOG_INFO("LockBatchResponseBody MQ:%s", mq.toString().c_str());
messageQueues.push_back(mq);
}
}
string UnlockBatchRequestBody::getConsumerGroup() {
return consumerGroup;
}
void UnlockBatchRequestBody::setConsumerGroup(string in_consumerGroup) {
consumerGroup = in_consumerGroup;
}
string UnlockBatchRequestBody::getClientId() {
return clientId;
}
void UnlockBatchRequestBody::setClientId(string in_clientId) {
clientId = in_clientId;
}
vector<MQMessageQueue> UnlockBatchRequestBody::getMqSet() {
return mqSet;
}
void UnlockBatchRequestBody::setMqSet(vector<MQMessageQueue> in_mqSet) {
mqSet.swap(in_mqSet);
}
void UnlockBatchRequestBody::Encode(string& outData) {
Json::Value root;
root["consumerGroup"] = consumerGroup;
root["clientId"] = clientId;
vector<MQMessageQueue>::const_iterator it = mqSet.begin();
for (; it != mqSet.end(); it++) {
root["mqSet"].append(toJson(*it));
}
Json::FastWriter fastwrite;
outData = fastwrite.write(root);
}
Json::Value UnlockBatchRequestBody::toJson(const MQMessageQueue& mq) const {
Json::Value outJson;
outJson["topic"] = mq.getTopic();
outJson["brokerName"] = mq.getBrokerName();
outJson["queueId"] = mq.getQueueId();
return outJson;
}
}
| [
"libya_003@163.com"
] | libya_003@163.com |
0f575331e8c5b4ad586d50ca1d337c9cb7ac9552 | 1e37b7e1da688cb118a56e853a9a5abdb51a9f45 | /Herobattle/Source/Herobattle/Skills/Buff/BcHeal.h | fa3168582fc0d3b8617392467a47e41869a45129 | [] | no_license | dangari/Herobattle | 6a925cc2331b62f4c298e67fca8a5a5746a45696 | 9f1bb3ac6ddf6157d1e2de4038af3f019853aabc | refs/heads/master | 2021-01-19T06:55:48.417794 | 2016-03-22T14:19:44 | 2016-03-22T14:19:44 | 41,296,918 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,145 | h | // Fill out your copyright notice in the Description page of Project Settings.
#pragma once
#include "Skills/Buff/BaseBuffCompenent.h"
#include "BcHeal.generated.h"
/**
*
*/
UCLASS()
class HEROBATTLE_API UBcHeal : public UBaseBuffCompenent
{
GENERATED_BODY()
public:
int heal;
UBcHeal();
~UBcHeal();
virtual void init(FBuffContainer bContainer, ABaseCharacter* owner, FSkillProperties properties, UBuff* ownerBuff) override;
virtual void initSim(FBuffContainer bContainer, UAISimCharacter* owner, FSkillProperties properties, UBuff* ownerBuff) override;
virtual bool run(ABaseCharacter* caster, ABaseCharacter* self, int value = 0) override;
virtual bool runSim(UAISimCharacter* caster, UAISimCharacter* self, int value = 0) override;
virtual float getScore(ABaseCharacter* caster, FCharacterState characterState, USkillScore* skillScore, float duration) override;
virtual float getScoreSim(UAISimCharacter* caster, FCharacterState characterState, USkillScore* skillScore, float duration) override;
virtual bool isExpired() override;
virtual void update(float deltaTime) override;
private:
Trigger trigger;
};
| [
"ckuemper@gmx.de"
] | ckuemper@gmx.de |
4285908b00cf2bd004320603cf75eed6a9c7dc2c | 89fc95f52c72ffff7f761c119a956f7335fc04ba | /RoomTest/Build6/Il2CppOutputProject/Source/il2cppOutput/Il2CppCompilerCalculateTypeValues_50Table.cpp | ecba3a023ef9768c49196ae84477c734028c9665 | [
"MIT"
] | permissive | spacebirdrise/Holo-History-holo_dev | 3ff278be82fff249b326bc96c52fde45c3cd46e3 | 41d3219d89e4c04570f87e42d6f7a7e583a3f872 | refs/heads/master | 2020-05-04T14:18:46.065863 | 2019-05-01T13:55:59 | 2019-05-01T13:55:59 | 179,191,365 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 558,016 | cpp | #include "il2cpp-config.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <cstring>
#include <string.h>
#include <stdio.h>
#include <cmath>
#include <limits>
#include <assert.h>
#include <stdint.h>
#include "il2cpp-class-internals.h"
#include "codegen/il2cpp-codegen.h"
#include "il2cpp-object-internals.h"
// Microsoft.MixedReality.Toolkit.Core.Definitions.BoundarySystem.Edge[]
struct EdgeU5BU5D_t926B9B1CB308427D72DA5A551F5BE052E99E0F5C;
// Microsoft.MixedReality.Toolkit.Core.Definitions.BoundarySystem.InscribedRectangle
struct InscribedRectangle_t9E33DA766BEACCC7486156F0F060ED24847AEE87;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.KeywordAndResponse[]
struct KeywordAndResponseU5BU5D_t1EB3C0F497A01FD1B9083B3F5AB7D74988273454;
// Microsoft.MixedReality.Toolkit.Core.EventDatum.Boundary.BoundaryEventData
struct BoundaryEventData_t5DDE2CD200A1E4BC0941E4B2D78C72087E2BDA81;
// Microsoft.MixedReality.Toolkit.Core.EventDatum.Diagnostics.DiagnosticsEventData
struct DiagnosticsEventData_t920F8C9B6732B3D907BEEBCF57C0A844B126B44A;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.Devices.IMixedRealityController
struct IMixedRealityController_t279227F20851E1E80F41DEE716469A4D30B8DCB0;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSource
struct IMixedRealityInputSource_tF730E20FF70F623AE5C5A6EEE2B20A34A439C5A9;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSystem
struct IMixedRealityInputSystem_t462CA4E6BAACFCC4DF6E2A65EF5D0498EB81B9A0;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityPointer
struct IMixedRealityPointer_t8452A75C74DFF7144E5F4502952A0AC1B160C47A;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandMoveLogic
struct TwoHandMoveLogic_t6DB990B981F675A179845D819243A61B9FFFA0D4;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandRotateLogic
struct TwoHandRotateLogic_t506D0B915F28F56369FB3CB6CA202C155E9AC93E;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandScaleLogic
struct TwoHandScaleLogic_tBE8EF64B1F34B0B18FAD3479D441B665D1ECE4EA;
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController
struct AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660;
// Microsoft.MixedReality.Toolkit.SDK.UX.Easing
struct Easing_t78350D5B578BE29C2875E2B355314E073C3368CF;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase
struct ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable
struct Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable[]
struct InteractableU5BU5D_t7DECD59B7F414510A54ED90548466A66F3307272;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates
struct InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State
struct State_tE9FE9C3D18538F16495F79F6021EAE49709914B7;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State[]
struct StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States
struct States_t9243039669F284C2A91A5294FE41955AD9C28005;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase
struct InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue
struct InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties[]
struct ShaderPropertiesU5BU5D_t12B44B01A6CDA221C83B3F63AE9E62A7707464C5;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget
struct ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7;
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection
struct InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper
struct GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB;
// Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityToolkitVisualProfiler
struct MixedRealityToolkitVisualProfiler_t91A38407B7D8F3B7FE57F1B3CF034A3532DC76B3;
// System.Action`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection>
struct Action_1_t101FB40FEFFE7EA7F75A4950EE825FFDFDCB7FBB;
// System.Char[]
struct CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2;
// System.Collections.Generic.Dictionary`2<Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiSourceQuality,Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect/AudioLoFiFilterSettings>
struct Dictionary_2_tA21D86C525E0218F2C3DFF2F8E009383F46EEA64;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Events.UnityEvent>
struct Dictionary_2_t4E4953B226060F79300E2BBA4C6906DF3577C545;
// System.Collections.Generic.Dictionary`2<System.UInt32,Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSource>
struct Dictionary_2_t6184E24F554B9A739053BB6FFD0C881097D2307D;
// System.Collections.Generic.Dictionary`2<System.UInt32,System.Boolean>
struct Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.Vector3>
struct Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920;
// System.Collections.Generic.Dictionary`2<UnityEngine.Renderer,System.Collections.Generic.List`1<UnityEngine.Material>>
struct Dictionary_2_t618DC85806BD37B5A0C9136711E3217ED3BAF6A4;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.Audio.IAudioInfluencer>
struct List_1_tB279C4CEA39F701AEE8A987071E5DAD3EFE62CFD;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityPointer>
struct List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Utilities.InspectorFields.InspectorFieldData>
struct List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Utilities.InspectorFields.InspectorPropertySetting>
struct List_1_t267F4846702E035D4CB93FFFD14D9EEC9C8AE0BF;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode>
struct List_1_tE14F242A2D6B2F3BF785AC24676BCA0CA25858C9;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.IInteractableHandler>
struct List_1_tC3C99B5BC929E89B79C3C9C2BDB10486CF8A9DD0;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent>
struct List_1_tBA74A0328736138DD1885050761DC624E57DDAAD;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem>
struct List_1_t2F07020FCE569E7981C4624258DD8053552B6202;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State>
struct List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme/BlocksAndRenderer>
struct List_1_t896A81C05C61C32CD6CA43CE3FB72547915F2AE3;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase>
struct List_1_t0224C7D9CD2F0F9A683A19AD0FC1BF8254B0076C;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty>
struct List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings>
struct List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue>
struct List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings>
struct List_1_tC3300703C3BB3E2A87AB33ED0875C07AAFE509BC;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties>
struct List_1_t008453D2710ACB7AEBE409240C73011E360EF285;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme>
struct List_1_t488F50DD59666161E24E566EF018E89F8055E007;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings>
struct List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124;
// System.Collections.Generic.List`1<System.String>
struct List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3;
// System.Collections.Generic.List`1<System.Type>
struct List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0;
// System.Collections.Generic.List`1<UnityEngine.GameObject>
struct List_1_tBA8D772D87B6502B2A4D0EFE166C846285F50650;
// System.Comparison`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode>
struct Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A;
// System.Int32[]
struct Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83;
// System.String
struct String_t;
// System.String[]
struct StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E;
// System.Type
struct Type_t;
// System.Type[]
struct TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F;
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017;
// UnityEngine.Animation
struct Animation_tCFC171459D159DDEC6500B55543A76219D49BB9C;
// UnityEngine.Animator
struct Animator_tF1A88E66B3B731DDA75A066DBAE9C55837660F5A;
// UnityEngine.AudioClip
struct AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051;
// UnityEngine.AudioHighPassFilter
struct AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473;
// UnityEngine.AudioLowPassFilter
struct AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE;
// UnityEngine.AudioSource
struct AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C;
// UnityEngine.Coroutine
struct Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.BoundarySystem.IMixedRealityBoundaryHandler>
struct EventFunction_1_tC567429285EEE5042DCE401FA0973242427537DD;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.Diagnostics.IMixedRealityDiagnosticsHandler>
struct EventFunction_1_t4EBC4E8A25334AA6129CFCAD679807FCB26CCC12;
// UnityEngine.Events.UnityEvent
struct UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F;
// UnityEngine.GameObject
struct GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F;
// UnityEngine.Material
struct Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598;
// UnityEngine.MaterialPropertyBlock
struct MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13;
// UnityEngine.Mesh
struct Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C;
// UnityEngine.MonoBehaviour
struct MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429;
// UnityEngine.RaycastHit[]
struct RaycastHitU5BU5D_tE9BB282384F0196211AD1A480477254188211F57;
// UnityEngine.Renderer
struct Renderer_t0556D67DD582620D1F495627EDE30D03284151F4;
// UnityEngine.Renderer[]
struct RendererU5BU5D_t711BACBBBFC0E06179ADB8932DBA208665108C93;
// UnityEngine.Rigidbody
struct Rigidbody_tE0A58EE5A1F7DC908EFFB4F0D795AC9552A750A5;
// UnityEngine.TextMesh
struct TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A;
// UnityEngine.Texture
struct Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4;
// UnityEngine.Transform
struct Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA;
// UnityEngine.UI.Text
struct Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030;
// UnityEngine.WaitUntil
struct WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F;
// UnityEngine.Windows.Speech.KeywordRecognizer
struct KeywordRecognizer_t8F0A26BBF11FE0307328C06B4A9EB4268386578C;
struct ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_com;
struct ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_pinvoke;
#ifndef U3CMODULEU3E_T4128AA319B877B9CF69AB4915499E9717D75242E_H
#define U3CMODULEU3E_T4128AA319B877B9CF69AB4915499E9717D75242E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <Module>
struct U3CModuleU3E_t4128AA319B877B9CF69AB4915499E9717D75242E
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CMODULEU3E_T4128AA319B877B9CF69AB4915499E9717D75242E_H
#ifndef U3CMODULEU3E_T641756DAEB4C73250E09DD79225E0492E0EC93AF_H
#define U3CMODULEU3E_T641756DAEB4C73250E09DD79225E0492E0EC93AF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <Module>
struct U3CModuleU3E_t641756DAEB4C73250E09DD79225E0492E0EC93AF
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CMODULEU3E_T641756DAEB4C73250E09DD79225E0492E0EC93AF_H
#ifndef RUNTIMEOBJECT_H
#define RUNTIMEOBJECT_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Object
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEOBJECT_H
#ifndef BASESERVICE_T49FA0CBEE4377921759C41E76FFB92942F6D96BA_H
#define BASESERVICE_T49FA0CBEE4377921759C41E76FFB92942F6D96BA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Services.BaseService
struct BaseService_t49FA0CBEE4377921759C41E76FFB92942F6D96BA : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.Core.Services.BaseService::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
// System.UInt32 Microsoft.MixedReality.Toolkit.Core.Services.BaseService::<Priority>k__BackingField
uint32_t ___U3CPriorityU3Ek__BackingField_1;
// System.Boolean Microsoft.MixedReality.Toolkit.Core.Services.BaseService::disposed
bool ___disposed_2;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(BaseService_t49FA0CBEE4377921759C41E76FFB92942F6D96BA, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((&___U3CNameU3Ek__BackingField_0), value);
}
inline static int32_t get_offset_of_U3CPriorityU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(BaseService_t49FA0CBEE4377921759C41E76FFB92942F6D96BA, ___U3CPriorityU3Ek__BackingField_1)); }
inline uint32_t get_U3CPriorityU3Ek__BackingField_1() const { return ___U3CPriorityU3Ek__BackingField_1; }
inline uint32_t* get_address_of_U3CPriorityU3Ek__BackingField_1() { return &___U3CPriorityU3Ek__BackingField_1; }
inline void set_U3CPriorityU3Ek__BackingField_1(uint32_t value)
{
___U3CPriorityU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_disposed_2() { return static_cast<int32_t>(offsetof(BaseService_t49FA0CBEE4377921759C41E76FFB92942F6D96BA, ___disposed_2)); }
inline bool get_disposed_2() const { return ___disposed_2; }
inline bool* get_address_of_disposed_2() { return &___disposed_2; }
inline void set_disposed_2(bool value)
{
___disposed_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASESERVICE_T49FA0CBEE4377921759C41E76FFB92942F6D96BA_H
#ifndef U3CU3EC_T79CAA028E50565169F4D59045985835031C0F832_H
#define U3CU3EC_T79CAA028E50565169F4D59045985835031C0F832_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c
struct U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c::<>9
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832 * ___U3CU3E9_0;
// System.Comparison`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c::<>9__15_0
Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * ___U3CU3E9__15_0_1;
// System.Comparison`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c::<>9__15_1
Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * ___U3CU3E9__15_1_2;
// System.Comparison`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c::<>9__15_2
Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * ___U3CU3E9__15_2_3;
// System.Comparison`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection_<>c::<>9__15_3
Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * ___U3CU3E9__15_3_4;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9_0), value);
}
inline static int32_t get_offset_of_U3CU3E9__15_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields, ___U3CU3E9__15_0_1)); }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * get_U3CU3E9__15_0_1() const { return ___U3CU3E9__15_0_1; }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A ** get_address_of_U3CU3E9__15_0_1() { return &___U3CU3E9__15_0_1; }
inline void set_U3CU3E9__15_0_1(Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * value)
{
___U3CU3E9__15_0_1 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9__15_0_1), value);
}
inline static int32_t get_offset_of_U3CU3E9__15_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields, ___U3CU3E9__15_1_2)); }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * get_U3CU3E9__15_1_2() const { return ___U3CU3E9__15_1_2; }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A ** get_address_of_U3CU3E9__15_1_2() { return &___U3CU3E9__15_1_2; }
inline void set_U3CU3E9__15_1_2(Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * value)
{
___U3CU3E9__15_1_2 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9__15_1_2), value);
}
inline static int32_t get_offset_of_U3CU3E9__15_2_3() { return static_cast<int32_t>(offsetof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields, ___U3CU3E9__15_2_3)); }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * get_U3CU3E9__15_2_3() const { return ___U3CU3E9__15_2_3; }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A ** get_address_of_U3CU3E9__15_2_3() { return &___U3CU3E9__15_2_3; }
inline void set_U3CU3E9__15_2_3(Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * value)
{
___U3CU3E9__15_2_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9__15_2_3), value);
}
inline static int32_t get_offset_of_U3CU3E9__15_3_4() { return static_cast<int32_t>(offsetof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields, ___U3CU3E9__15_3_4)); }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * get_U3CU3E9__15_3_4() const { return ___U3CU3E9__15_3_4; }
inline Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A ** get_address_of_U3CU3E9__15_3_4() { return &___U3CU3E9__15_3_4; }
inline void set_U3CU3E9__15_3_4(Comparison_1_t3F8629A69E59727CF781464DDB71F9B23F21D92A * value)
{
___U3CU3E9__15_3_4 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9__15_3_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CU3EC_T79CAA028E50565169F4D59045985835031C0F832_H
#ifndef INTERACTABLEEVENT_T7C92F75DA7030CB9DE71D82C8223C5BA786EBE13_H
#define INTERACTABLEEVENT_T7C92F75DA7030CB9DE71D82C8223C5BA786EBE13_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent
struct InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13 : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::Name
String_t* ___Name_0;
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::Event
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___Event_1;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::ClassName
String_t* ___ClassName_2;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::Receiver
ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51 * ___Receiver_3;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Utilities.InspectorFields.InspectorPropertySetting> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::Settings
List_1_t267F4846702E035D4CB93FFFD14D9EEC9C8AE0BF * ___Settings_4;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent::HideUnityEvents
bool ___HideUnityEvents_5;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Event_1() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___Event_1)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_Event_1() const { return ___Event_1; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_Event_1() { return &___Event_1; }
inline void set_Event_1(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___Event_1 = value;
Il2CppCodeGenWriteBarrier((&___Event_1), value);
}
inline static int32_t get_offset_of_ClassName_2() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___ClassName_2)); }
inline String_t* get_ClassName_2() const { return ___ClassName_2; }
inline String_t** get_address_of_ClassName_2() { return &___ClassName_2; }
inline void set_ClassName_2(String_t* value)
{
___ClassName_2 = value;
Il2CppCodeGenWriteBarrier((&___ClassName_2), value);
}
inline static int32_t get_offset_of_Receiver_3() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___Receiver_3)); }
inline ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51 * get_Receiver_3() const { return ___Receiver_3; }
inline ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51 ** get_address_of_Receiver_3() { return &___Receiver_3; }
inline void set_Receiver_3(ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51 * value)
{
___Receiver_3 = value;
Il2CppCodeGenWriteBarrier((&___Receiver_3), value);
}
inline static int32_t get_offset_of_Settings_4() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___Settings_4)); }
inline List_1_t267F4846702E035D4CB93FFFD14D9EEC9C8AE0BF * get_Settings_4() const { return ___Settings_4; }
inline List_1_t267F4846702E035D4CB93FFFD14D9EEC9C8AE0BF ** get_address_of_Settings_4() { return &___Settings_4; }
inline void set_Settings_4(List_1_t267F4846702E035D4CB93FFFD14D9EEC9C8AE0BF * value)
{
___Settings_4 = value;
Il2CppCodeGenWriteBarrier((&___Settings_4), value);
}
inline static int32_t get_offset_of_HideUnityEvents_5() { return static_cast<int32_t>(offsetof(InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13, ___HideUnityEvents_5)); }
inline bool get_HideUnityEvents_5() const { return ___HideUnityEvents_5; }
inline bool* get_address_of_HideUnityEvents_5() { return &___HideUnityEvents_5; }
inline void set_HideUnityEvents_5(bool value)
{
___HideUnityEvents_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEEVENT_T7C92F75DA7030CB9DE71D82C8223C5BA786EBE13_H
#ifndef RECEIVERBASE_TFB68E8C115FC802ECE308CEF805A4FDE31AFDF51_H
#define RECEIVERBASE_TFB68E8C115FC802ECE308CEF805A4FDE31AFDF51_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase
struct ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51 : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase::Name
String_t* ___Name_0;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase::HideUnityEvents
bool ___HideUnityEvents_1;
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase::uEvent
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___uEvent_2;
// UnityEngine.MonoBehaviour Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBase::Host
MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429 * ___Host_3;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_HideUnityEvents_1() { return static_cast<int32_t>(offsetof(ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51, ___HideUnityEvents_1)); }
inline bool get_HideUnityEvents_1() const { return ___HideUnityEvents_1; }
inline bool* get_address_of_HideUnityEvents_1() { return &___HideUnityEvents_1; }
inline void set_HideUnityEvents_1(bool value)
{
___HideUnityEvents_1 = value;
}
inline static int32_t get_offset_of_uEvent_2() { return static_cast<int32_t>(offsetof(ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51, ___uEvent_2)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_uEvent_2() const { return ___uEvent_2; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_uEvent_2() { return &___uEvent_2; }
inline void set_uEvent_2(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___uEvent_2 = value;
Il2CppCodeGenWriteBarrier((&___uEvent_2), value);
}
inline static int32_t get_offset_of_Host_3() { return static_cast<int32_t>(offsetof(ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51, ___Host_3)); }
inline MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429 * get_Host_3() const { return ___Host_3; }
inline MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429 ** get_address_of_Host_3() { return &___Host_3; }
inline void set_Host_3(MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429 * value)
{
___Host_3 = value;
Il2CppCodeGenWriteBarrier((&___Host_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RECEIVERBASE_TFB68E8C115FC802ECE308CEF805A4FDE31AFDF51_H
#ifndef U3CGLOBALVISUALRESETU3ED__152_T0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE_H
#define U3CGLOBALVISUALRESETU3ED__152_T0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<GlobalVisualReset>d__152
struct U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE : public RuntimeObject
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<GlobalVisualReset>d__152::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<GlobalVisualReset>d__152::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<GlobalVisualReset>d__152::time
float ___time_2;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<GlobalVisualReset>d__152::<>4__this
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * ___U3CU3E4__this_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E2__current_1), value);
}
inline static int32_t get_offset_of_time_2() { return static_cast<int32_t>(offsetof(U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE, ___time_2)); }
inline float get_time_2() const { return ___time_2; }
inline float* get_address_of_time_2() { return &___time_2; }
inline void set_time_2(float value)
{
___time_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE, ___U3CU3E4__this_3)); }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CGLOBALVISUALRESETU3ED__152_T0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE_H
#ifndef U3CINPUTDOWNTIMERU3ED__153_T4CBE8A1567D420B7422831CBB01E4EFEB30C865C_H
#define U3CINPUTDOWNTIMERU3ED__153_T4CBE8A1567D420B7422831CBB01E4EFEB30C865C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<InputDownTimer>d__153
struct U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C : public RuntimeObject
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<InputDownTimer>d__153::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<InputDownTimer>d__153::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<InputDownTimer>d__153::time
float ___time_2;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable_<InputDownTimer>d__153::<>4__this
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * ___U3CU3E4__this_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E2__current_1), value);
}
inline static int32_t get_offset_of_time_2() { return static_cast<int32_t>(offsetof(U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C, ___time_2)); }
inline float get_time_2() const { return ___time_2; }
inline float* get_address_of_time_2() { return &___time_2; }
inline void set_time_2(float value)
{
___time_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C, ___U3CU3E4__this_3)); }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CINPUTDOWNTIMERU3ED__153_T4CBE8A1567D420B7422831CBB01E4EFEB30C865C_H
#ifndef INTERACTABLEPROFILEITEM_TCC19A2ACCFF5B2EA1263187D48D0849728BE9C11_H
#define INTERACTABLEPROFILEITEM_TCC19A2ACCFF5B2EA1263187D48D0849728BE9C11_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem
struct InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11 : public RuntimeObject
{
public:
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem::Target
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___Target_0;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem::Themes
List_1_t488F50DD59666161E24E566EF018E89F8055E007 * ___Themes_1;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem::HadDefaultTheme
bool ___HadDefaultTheme_2;
public:
inline static int32_t get_offset_of_Target_0() { return static_cast<int32_t>(offsetof(InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11, ___Target_0)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_Target_0() const { return ___Target_0; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_Target_0() { return &___Target_0; }
inline void set_Target_0(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___Target_0 = value;
Il2CppCodeGenWriteBarrier((&___Target_0), value);
}
inline static int32_t get_offset_of_Themes_1() { return static_cast<int32_t>(offsetof(InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11, ___Themes_1)); }
inline List_1_t488F50DD59666161E24E566EF018E89F8055E007 * get_Themes_1() const { return ___Themes_1; }
inline List_1_t488F50DD59666161E24E566EF018E89F8055E007 ** get_address_of_Themes_1() { return &___Themes_1; }
inline void set_Themes_1(List_1_t488F50DD59666161E24E566EF018E89F8055E007 * value)
{
___Themes_1 = value;
Il2CppCodeGenWriteBarrier((&___Themes_1), value);
}
inline static int32_t get_offset_of_HadDefaultTheme_2() { return static_cast<int32_t>(offsetof(InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11, ___HadDefaultTheme_2)); }
inline bool get_HadDefaultTheme_2() const { return ___HadDefaultTheme_2; }
inline bool* get_address_of_HadDefaultTheme_2() { return &___HadDefaultTheme_2; }
inline void set_HadDefaultTheme_2(bool value)
{
___HadDefaultTheme_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEPROFILEITEM_TCC19A2ACCFF5B2EA1263187D48D0849728BE9C11_H
#ifndef INTERACTABLESTATEMODEL_TF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F_H
#define INTERACTABLESTATEMODEL_TF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStateModel
struct InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F : public RuntimeObject
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStateModel::currentState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___currentState_0;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStateModel::stateList
List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * ___stateList_1;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStateModel::allStates
StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* ___allStates_2;
public:
inline static int32_t get_offset_of_currentState_0() { return static_cast<int32_t>(offsetof(InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F, ___currentState_0)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_currentState_0() const { return ___currentState_0; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_currentState_0() { return &___currentState_0; }
inline void set_currentState_0(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___currentState_0 = value;
Il2CppCodeGenWriteBarrier((&___currentState_0), value);
}
inline static int32_t get_offset_of_stateList_1() { return static_cast<int32_t>(offsetof(InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F, ___stateList_1)); }
inline List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * get_stateList_1() const { return ___stateList_1; }
inline List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 ** get_address_of_stateList_1() { return &___stateList_1; }
inline void set_stateList_1(List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * value)
{
___stateList_1 = value;
Il2CppCodeGenWriteBarrier((&___stateList_1), value);
}
inline static int32_t get_offset_of_allStates_2() { return static_cast<int32_t>(offsetof(InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F, ___allStates_2)); }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* get_allStates_2() const { return ___allStates_2; }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F** get_address_of_allStates_2() { return &___allStates_2; }
inline void set_allStates_2(StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* value)
{
___allStates_2 = value;
Il2CppCodeGenWriteBarrier((&___allStates_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESTATEMODEL_TF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F_H
#ifndef STATE_TE9FE9C3D18538F16495F79F6021EAE49709914B7_H
#define STATE_TE9FE9C3D18538F16495F79F6021EAE49709914B7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State
struct State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State::Name
String_t* ___Name_0;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State::Index
int32_t ___Index_1;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State::Bit
int32_t ___Bit_2;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State::Value
int32_t ___Value_3;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State::ActiveIndex
int32_t ___ActiveIndex_4;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Index_1() { return static_cast<int32_t>(offsetof(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7, ___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_Bit_2() { return static_cast<int32_t>(offsetof(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7, ___Bit_2)); }
inline int32_t get_Bit_2() const { return ___Bit_2; }
inline int32_t* get_address_of_Bit_2() { return &___Bit_2; }
inline void set_Bit_2(int32_t value)
{
___Bit_2 = value;
}
inline static int32_t get_offset_of_Value_3() { return static_cast<int32_t>(offsetof(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7, ___Value_3)); }
inline int32_t get_Value_3() const { return ___Value_3; }
inline int32_t* get_address_of_Value_3() { return &___Value_3; }
inline void set_Value_3(int32_t value)
{
___Value_3 = value;
}
inline static int32_t get_offset_of_ActiveIndex_4() { return static_cast<int32_t>(offsetof(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7, ___ActiveIndex_4)); }
inline int32_t get_ActiveIndex_4() const { return ___ActiveIndex_4; }
inline int32_t* get_address_of_ActiveIndex_4() { return &___ActiveIndex_4; }
inline void set_ActiveIndex_4(int32_t value)
{
___ActiveIndex_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STATE_TE9FE9C3D18538F16495F79F6021EAE49709914B7_H
#ifndef INTERACTABLETHEMEBASE_TD8631340D9E07E03ECF8757DF13C0635AFE508E9_H
#define INTERACTABLETHEMEBASE_TD8631340D9E07E03ECF8757DF13C0635AFE508E9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase
struct InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 : public RuntimeObject
{
public:
// System.Type[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::Types
TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___Types_0;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::Name
String_t* ___Name_1;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::ThemeProperties
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___ThemeProperties_2;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::CustomSettings
List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * ___CustomSettings_3;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::Host
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___Host_4;
// Microsoft.MixedReality.Toolkit.SDK.UX.Easing Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::Ease
Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * ___Ease_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::NoEasing
bool ___NoEasing_6;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::Loaded
bool ___Loaded_7;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::hasFirstState
bool ___hasFirstState_8;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase::lastState
int32_t ___lastState_9;
public:
inline static int32_t get_offset_of_Types_0() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___Types_0)); }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_Types_0() const { return ___Types_0; }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_Types_0() { return &___Types_0; }
inline void set_Types_0(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value)
{
___Types_0 = value;
Il2CppCodeGenWriteBarrier((&___Types_0), value);
}
inline static int32_t get_offset_of_Name_1() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___Name_1)); }
inline String_t* get_Name_1() const { return ___Name_1; }
inline String_t** get_address_of_Name_1() { return &___Name_1; }
inline void set_Name_1(String_t* value)
{
___Name_1 = value;
Il2CppCodeGenWriteBarrier((&___Name_1), value);
}
inline static int32_t get_offset_of_ThemeProperties_2() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___ThemeProperties_2)); }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * get_ThemeProperties_2() const { return ___ThemeProperties_2; }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA ** get_address_of_ThemeProperties_2() { return &___ThemeProperties_2; }
inline void set_ThemeProperties_2(List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * value)
{
___ThemeProperties_2 = value;
Il2CppCodeGenWriteBarrier((&___ThemeProperties_2), value);
}
inline static int32_t get_offset_of_CustomSettings_3() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___CustomSettings_3)); }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * get_CustomSettings_3() const { return ___CustomSettings_3; }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 ** get_address_of_CustomSettings_3() { return &___CustomSettings_3; }
inline void set_CustomSettings_3(List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * value)
{
___CustomSettings_3 = value;
Il2CppCodeGenWriteBarrier((&___CustomSettings_3), value);
}
inline static int32_t get_offset_of_Host_4() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___Host_4)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_Host_4() const { return ___Host_4; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_Host_4() { return &___Host_4; }
inline void set_Host_4(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___Host_4 = value;
Il2CppCodeGenWriteBarrier((&___Host_4), value);
}
inline static int32_t get_offset_of_Ease_5() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___Ease_5)); }
inline Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * get_Ease_5() const { return ___Ease_5; }
inline Easing_t78350D5B578BE29C2875E2B355314E073C3368CF ** get_address_of_Ease_5() { return &___Ease_5; }
inline void set_Ease_5(Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * value)
{
___Ease_5 = value;
Il2CppCodeGenWriteBarrier((&___Ease_5), value);
}
inline static int32_t get_offset_of_NoEasing_6() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___NoEasing_6)); }
inline bool get_NoEasing_6() const { return ___NoEasing_6; }
inline bool* get_address_of_NoEasing_6() { return &___NoEasing_6; }
inline void set_NoEasing_6(bool value)
{
___NoEasing_6 = value;
}
inline static int32_t get_offset_of_Loaded_7() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___Loaded_7)); }
inline bool get_Loaded_7() const { return ___Loaded_7; }
inline bool* get_address_of_Loaded_7() { return &___Loaded_7; }
inline void set_Loaded_7(bool value)
{
___Loaded_7 = value;
}
inline static int32_t get_offset_of_hasFirstState_8() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___hasFirstState_8)); }
inline bool get_hasFirstState_8() const { return ___hasFirstState_8; }
inline bool* get_address_of_hasFirstState_8() { return &___hasFirstState_8; }
inline void set_hasFirstState_8(bool value)
{
___hasFirstState_8 = value;
}
inline static int32_t get_offset_of_lastState_9() { return static_cast<int32_t>(offsetof(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9, ___lastState_9)); }
inline int32_t get_lastState_9() const { return ___lastState_9; }
inline int32_t* get_address_of_lastState_9() { return &___lastState_9; }
inline void set_lastState_9(int32_t value)
{
___lastState_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETHEMEBASE_TD8631340D9E07E03ECF8757DF13C0635AFE508E9_H
#ifndef THEMETARGET_T855F3812512040C4D0BA8A779BE609457DBDD8E7_H
#define THEMETARGET_T855F3812512040C4D0BA8A779BE609457DBDD8E7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget
struct ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget::Properties
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___Properties_0;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget::Target
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___Target_1;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget::States
StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* ___States_2;
public:
inline static int32_t get_offset_of_Properties_0() { return static_cast<int32_t>(offsetof(ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7, ___Properties_0)); }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * get_Properties_0() const { return ___Properties_0; }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA ** get_address_of_Properties_0() { return &___Properties_0; }
inline void set_Properties_0(List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * value)
{
___Properties_0 = value;
Il2CppCodeGenWriteBarrier((&___Properties_0), value);
}
inline static int32_t get_offset_of_Target_1() { return static_cast<int32_t>(offsetof(ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7, ___Target_1)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_Target_1() const { return ___Target_1; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_Target_1() { return &___Target_1; }
inline void set_Target_1(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___Target_1 = value;
Il2CppCodeGenWriteBarrier((&___Target_1), value);
}
inline static int32_t get_offset_of_States_2() { return static_cast<int32_t>(offsetof(ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7, ___States_2)); }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* get_States_2() const { return ___States_2; }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F** get_address_of_States_2() { return &___States_2; }
inline void set_States_2(StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* value)
{
___States_2 = value;
Il2CppCodeGenWriteBarrier((&___States_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // THEMETARGET_T855F3812512040C4D0BA8A779BE609457DBDD8E7_H
#ifndef U3CU3EC__DISPLAYCLASS3_0_TE2091466541DC234B9C25ECCB181B3EE531D0334_H
#define U3CU3EC__DISPLAYCLASS3_0_TE2091466541DC234B9C25ECCB181B3EE531D0334_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass3_0
struct U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334 : public RuntimeObject
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass3_0::itemIndex
int32_t ___itemIndex_0;
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass3_0::<>4__this
InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * ___U3CU3E4__this_1;
public:
inline static int32_t get_offset_of_itemIndex_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334, ___itemIndex_0)); }
inline int32_t get_itemIndex_0() const { return ___itemIndex_0; }
inline int32_t* get_address_of_itemIndex_0() { return &___itemIndex_0; }
inline void set_itemIndex_0(int32_t value)
{
___itemIndex_0 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334, ___U3CU3E4__this_1)); }
inline InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * get_U3CU3E4__this_1() const { return ___U3CU3E4__this_1; }
inline InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 ** get_address_of_U3CU3E4__this_1() { return &___U3CU3E4__this_1; }
inline void set_U3CU3E4__this_1(InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * value)
{
___U3CU3E4__this_1 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CU3EC__DISPLAYCLASS3_0_TE2091466541DC234B9C25ECCB181B3EE531D0334_H
#ifndef U3CU3EC__DISPLAYCLASS6_0_T57BB10A26CF2DCC10C47B310C577BB44F64C23E4_H
#define U3CU3EC__DISPLAYCLASS6_0_T57BB10A26CF2DCC10C47B310C577BB44F64C23E4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass6_0
struct U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4 : public RuntimeObject
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass6_0::itemIndex
int32_t ___itemIndex_0;
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection_<>c__DisplayClass6_0::<>4__this
InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * ___U3CU3E4__this_1;
public:
inline static int32_t get_offset_of_itemIndex_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4, ___itemIndex_0)); }
inline int32_t get_itemIndex_0() const { return ___itemIndex_0; }
inline int32_t* get_address_of_itemIndex_0() { return &___itemIndex_0; }
inline void set_itemIndex_0(int32_t value)
{
___itemIndex_0 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4, ___U3CU3E4__this_1)); }
inline InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * get_U3CU3E4__this_1() const { return ___U3CU3E4__this_1; }
inline InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 ** get_address_of_U3CU3E4__this_1() { return &___U3CU3E4__this_1; }
inline void set_U3CU3E4__this_1(InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 * value)
{
___U3CU3E4__this_1 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CU3EC__DISPLAYCLASS6_0_T57BB10A26CF2DCC10C47B310C577BB44F64C23E4_H
#ifndef GAZEHANDHELPER_T0D150910F761907A41157B448E271A41D702BCAB_H
#define GAZEHANDHELPER_T0D150910F761907A41157B448E271A41D702BCAB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper
struct GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<System.UInt32,System.Boolean> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper::positionAvailableMap
Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * ___positionAvailableMap_0;
// System.Collections.Generic.Dictionary`2<System.UInt32,Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSource> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper::handSourceMap
Dictionary_2_t6184E24F554B9A739053BB6FFD0C881097D2307D * ___handSourceMap_1;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.Vector3> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper::handStartPositionMap
Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * ___handStartPositionMap_2;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.Vector3> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper::handPositionMap
Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * ___handPositionMap_3;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.Vector3> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper::gazePointMap
Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * ___gazePointMap_4;
public:
inline static int32_t get_offset_of_positionAvailableMap_0() { return static_cast<int32_t>(offsetof(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB, ___positionAvailableMap_0)); }
inline Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * get_positionAvailableMap_0() const { return ___positionAvailableMap_0; }
inline Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 ** get_address_of_positionAvailableMap_0() { return &___positionAvailableMap_0; }
inline void set_positionAvailableMap_0(Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * value)
{
___positionAvailableMap_0 = value;
Il2CppCodeGenWriteBarrier((&___positionAvailableMap_0), value);
}
inline static int32_t get_offset_of_handSourceMap_1() { return static_cast<int32_t>(offsetof(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB, ___handSourceMap_1)); }
inline Dictionary_2_t6184E24F554B9A739053BB6FFD0C881097D2307D * get_handSourceMap_1() const { return ___handSourceMap_1; }
inline Dictionary_2_t6184E24F554B9A739053BB6FFD0C881097D2307D ** get_address_of_handSourceMap_1() { return &___handSourceMap_1; }
inline void set_handSourceMap_1(Dictionary_2_t6184E24F554B9A739053BB6FFD0C881097D2307D * value)
{
___handSourceMap_1 = value;
Il2CppCodeGenWriteBarrier((&___handSourceMap_1), value);
}
inline static int32_t get_offset_of_handStartPositionMap_2() { return static_cast<int32_t>(offsetof(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB, ___handStartPositionMap_2)); }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * get_handStartPositionMap_2() const { return ___handStartPositionMap_2; }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 ** get_address_of_handStartPositionMap_2() { return &___handStartPositionMap_2; }
inline void set_handStartPositionMap_2(Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * value)
{
___handStartPositionMap_2 = value;
Il2CppCodeGenWriteBarrier((&___handStartPositionMap_2), value);
}
inline static int32_t get_offset_of_handPositionMap_3() { return static_cast<int32_t>(offsetof(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB, ___handPositionMap_3)); }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * get_handPositionMap_3() const { return ___handPositionMap_3; }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 ** get_address_of_handPositionMap_3() { return &___handPositionMap_3; }
inline void set_handPositionMap_3(Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * value)
{
___handPositionMap_3 = value;
Il2CppCodeGenWriteBarrier((&___handPositionMap_3), value);
}
inline static int32_t get_offset_of_gazePointMap_4() { return static_cast<int32_t>(offsetof(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB, ___gazePointMap_4)); }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * get_gazePointMap_4() const { return ___gazePointMap_4; }
inline Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 ** get_address_of_gazePointMap_4() { return &___gazePointMap_4; }
inline void set_gazePointMap_4(Dictionary_2_t79ECAD2A313702AA2EC0BB700D72A95FE920E920 * value)
{
___gazePointMap_4 = value;
Il2CppCodeGenWriteBarrier((&___gazePointMap_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GAZEHANDHELPER_T0D150910F761907A41157B448E271A41D702BCAB_H
#ifndef U3CU3EC_TC2A0680726AB484F8E0E2E222EC3522A3128AEBB_H
#define U3CU3EC_TC2A0680726AB484F8E0E2E222EC3522A3128AEBB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem_<>c
struct U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB_StaticFields
{
public:
// Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem_<>c Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem_<>c::<>9
U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E9_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CU3EC_TC2A0680726AB484F8E0E2E222EC3522A3128AEBB_H
#ifndef VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#define VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_com
{
};
#endif // VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifndef __STATICARRAYINITTYPESIZEU3D16_TB97E7CED14B76D662D8444D99DFC7AA4251D25AC_H
#define __STATICARRAYINITTYPESIZEU3D16_TB97E7CED14B76D662D8444D99DFC7AA4251D25AC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16
struct __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC__padding[16];
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // __STATICARRAYINITTYPESIZEU3D16_TB97E7CED14B76D662D8444D99DFC7AA4251D25AC_H
#ifndef BASEEVENTSYSTEM_T6619DD7F44699242EDC2CC914B0C7AC071B75CEB_H
#define BASEEVENTSYSTEM_T6619DD7F44699242EDC2CC914B0C7AC071B75CEB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Services.BaseEventSystem
struct BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB : public BaseService_t49FA0CBEE4377921759C41E76FFB92942F6D96BA
{
public:
// UnityEngine.WaitUntil Microsoft.MixedReality.Toolkit.Core.Services.BaseEventSystem::doneExecutingEvents
WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * ___doneExecutingEvents_4;
// System.Collections.Generic.List`1<UnityEngine.GameObject> Microsoft.MixedReality.Toolkit.Core.Services.BaseEventSystem::<EventListeners>k__BackingField
List_1_tBA8D772D87B6502B2A4D0EFE166C846285F50650 * ___U3CEventListenersU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_doneExecutingEvents_4() { return static_cast<int32_t>(offsetof(BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB, ___doneExecutingEvents_4)); }
inline WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * get_doneExecutingEvents_4() const { return ___doneExecutingEvents_4; }
inline WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F ** get_address_of_doneExecutingEvents_4() { return &___doneExecutingEvents_4; }
inline void set_doneExecutingEvents_4(WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * value)
{
___doneExecutingEvents_4 = value;
Il2CppCodeGenWriteBarrier((&___doneExecutingEvents_4), value);
}
inline static int32_t get_offset_of_U3CEventListenersU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB, ___U3CEventListenersU3Ek__BackingField_5)); }
inline List_1_tBA8D772D87B6502B2A4D0EFE166C846285F50650 * get_U3CEventListenersU3Ek__BackingField_5() const { return ___U3CEventListenersU3Ek__BackingField_5; }
inline List_1_tBA8D772D87B6502B2A4D0EFE166C846285F50650 ** get_address_of_U3CEventListenersU3Ek__BackingField_5() { return &___U3CEventListenersU3Ek__BackingField_5; }
inline void set_U3CEventListenersU3Ek__BackingField_5(List_1_tBA8D772D87B6502B2A4D0EFE166C846285F50650 * value)
{
___U3CEventListenersU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((&___U3CEventListenersU3Ek__BackingField_5), value);
}
};
struct BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB_StaticFields
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.Core.Services.BaseEventSystem::isExecutingEvents
bool ___isExecutingEvents_3;
public:
inline static int32_t get_offset_of_isExecutingEvents_3() { return static_cast<int32_t>(offsetof(BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB_StaticFields, ___isExecutingEvents_3)); }
inline bool get_isExecutingEvents_3() const { return ___isExecutingEvents_3; }
inline bool* get_address_of_isExecutingEvents_3() { return &___isExecutingEvents_3; }
inline void set_isExecutingEvents_3(bool value)
{
___isExecutingEvents_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASEEVENTSYSTEM_T6619DD7F44699242EDC2CC914B0C7AC071B75CEB_H
#ifndef AUDIOLOFIFILTERSETTINGS_T64888742AE555FA0F38BFA198078A216AAD3951C_H
#define AUDIOLOFIFILTERSETTINGS_T64888742AE555FA0F38BFA198078A216AAD3951C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect_AudioLoFiFilterSettings
struct AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect_AudioLoFiFilterSettings::<LowPassCutoff>k__BackingField
float ___U3CLowPassCutoffU3Ek__BackingField_0;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect_AudioLoFiFilterSettings::<HighPassCutoff>k__BackingField
float ___U3CHighPassCutoffU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CLowPassCutoffU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C, ___U3CLowPassCutoffU3Ek__BackingField_0)); }
inline float get_U3CLowPassCutoffU3Ek__BackingField_0() const { return ___U3CLowPassCutoffU3Ek__BackingField_0; }
inline float* get_address_of_U3CLowPassCutoffU3Ek__BackingField_0() { return &___U3CLowPassCutoffU3Ek__BackingField_0; }
inline void set_U3CLowPassCutoffU3Ek__BackingField_0(float value)
{
___U3CLowPassCutoffU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CHighPassCutoffU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C, ___U3CHighPassCutoffU3Ek__BackingField_1)); }
inline float get_U3CHighPassCutoffU3Ek__BackingField_1() const { return ___U3CHighPassCutoffU3Ek__BackingField_1; }
inline float* get_address_of_U3CHighPassCutoffU3Ek__BackingField_1() { return &___U3CHighPassCutoffU3Ek__BackingField_1; }
inline void set_U3CHighPassCutoffU3Ek__BackingField_1(float value)
{
___U3CHighPassCutoffU3Ek__BackingField_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AUDIOLOFIFILTERSETTINGS_T64888742AE555FA0F38BFA198078A216AAD3951C_H
#ifndef INTERACTABLEAUDIORECEIVER_TEBD25914705287A274ED901AED63356401E63392_H
#define INTERACTABLEAUDIORECEIVER_TEBD25914705287A274ED901AED63356401E63392_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableAudioReceiver
struct InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
// UnityEngine.AudioClip Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableAudioReceiver::AudioClip
AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * ___AudioClip_4;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableAudioReceiver::lastState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___lastState_5;
public:
inline static int32_t get_offset_of_AudioClip_4() { return static_cast<int32_t>(offsetof(InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392, ___AudioClip_4)); }
inline AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * get_AudioClip_4() const { return ___AudioClip_4; }
inline AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 ** get_address_of_AudioClip_4() { return &___AudioClip_4; }
inline void set_AudioClip_4(AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * value)
{
___AudioClip_4 = value;
Il2CppCodeGenWriteBarrier((&___AudioClip_4), value);
}
inline static int32_t get_offset_of_lastState_5() { return static_cast<int32_t>(offsetof(InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392, ___lastState_5)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_lastState_5() const { return ___lastState_5; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_lastState_5() { return &___lastState_5; }
inline void set_lastState_5(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___lastState_5 = value;
Il2CppCodeGenWriteBarrier((&___lastState_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEAUDIORECEIVER_TEBD25914705287A274ED901AED63356401E63392_H
#ifndef EVENTLISTS_TE68A1E452D9645A6247195930A555308BB2D0427_H
#define EVENTLISTS_TE68A1E452D9645A6247195930A555308BB2D0427_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_EventLists
struct EventLists_tE68A1E452D9645A6247195930A555308BB2D0427
{
public:
// System.Collections.Generic.List`1<System.Type> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_EventLists::EventTypes
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___EventTypes_0;
// System.Collections.Generic.List`1<System.String> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_EventLists::EventNames
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___EventNames_1;
public:
inline static int32_t get_offset_of_EventTypes_0() { return static_cast<int32_t>(offsetof(EventLists_tE68A1E452D9645A6247195930A555308BB2D0427, ___EventTypes_0)); }
inline List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * get_EventTypes_0() const { return ___EventTypes_0; }
inline List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 ** get_address_of_EventTypes_0() { return &___EventTypes_0; }
inline void set_EventTypes_0(List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * value)
{
___EventTypes_0 = value;
Il2CppCodeGenWriteBarrier((&___EventTypes_0), value);
}
inline static int32_t get_offset_of_EventNames_1() { return static_cast<int32_t>(offsetof(EventLists_tE68A1E452D9645A6247195930A555308BB2D0427, ___EventNames_1)); }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * get_EventNames_1() const { return ___EventNames_1; }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 ** get_address_of_EventNames_1() { return &___EventNames_1; }
inline void set_EventNames_1(List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * value)
{
___EventNames_1 = value;
Il2CppCodeGenWriteBarrier((&___EventNames_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent/EventLists
struct EventLists_tE68A1E452D9645A6247195930A555308BB2D0427_marshaled_pinvoke
{
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___EventTypes_0;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___EventNames_1;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent/EventLists
struct EventLists_tE68A1E452D9645A6247195930A555308BB2D0427_marshaled_com
{
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___EventTypes_0;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___EventNames_1;
};
#endif // EVENTLISTS_TE68A1E452D9645A6247195930A555308BB2D0427_H
#ifndef RECEIVERDATA_T329EA60A32BA2DC69059F5C03E0FBB5079CD300F_H
#define RECEIVERDATA_T329EA60A32BA2DC69059F5C03E0FBB5079CD300F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_ReceiverData
struct ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_ReceiverData::Name
String_t* ___Name_0;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_ReceiverData::HideUnityEvents
bool ___HideUnityEvents_1;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Utilities.InspectorFields.InspectorFieldData> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent_ReceiverData::Fields
List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 * ___Fields_2;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_HideUnityEvents_1() { return static_cast<int32_t>(offsetof(ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F, ___HideUnityEvents_1)); }
inline bool get_HideUnityEvents_1() const { return ___HideUnityEvents_1; }
inline bool* get_address_of_HideUnityEvents_1() { return &___HideUnityEvents_1; }
inline void set_HideUnityEvents_1(bool value)
{
___HideUnityEvents_1 = value;
}
inline static int32_t get_offset_of_Fields_2() { return static_cast<int32_t>(offsetof(ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F, ___Fields_2)); }
inline List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 * get_Fields_2() const { return ___Fields_2; }
inline List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 ** get_address_of_Fields_2() { return &___Fields_2; }
inline void set_Fields_2(List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 * value)
{
___Fields_2 = value;
Il2CppCodeGenWriteBarrier((&___Fields_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent/ReceiverData
struct ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F_marshaled_pinvoke
{
char* ___Name_0;
int32_t ___HideUnityEvents_1;
List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 * ___Fields_2;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent/ReceiverData
struct ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F_marshaled_com
{
Il2CppChar* ___Name_0;
int32_t ___HideUnityEvents_1;
List_1_tF2FAB07DF5400C9E2851DF6A47C3389811DD99A2 * ___Fields_2;
};
#endif // RECEIVERDATA_T329EA60A32BA2DC69059F5C03E0FBB5079CD300F_H
#ifndef INTERACTABLEONCLICKRECEIVER_TB791C5C1D1FA95006F8A60BA82622A7069817CE6_H
#define INTERACTABLEONCLICKRECEIVER_TB791C5C1D1FA95006F8A60BA82622A7069817CE6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnClickReceiver
struct InteractableOnClickReceiver_tB791C5C1D1FA95006F8A60BA82622A7069817CE6 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEONCLICKRECEIVER_TB791C5C1D1FA95006F8A60BA82622A7069817CE6_H
#ifndef INTERACTABLEONFOCUSRECEIVER_T68FE22258DC03E2BC3D2A0EAD1642088BD59EB03_H
#define INTERACTABLEONFOCUSRECEIVER_T68FE22258DC03E2BC3D2A0EAD1642088BD59EB03_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnFocusReceiver
struct InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnFocusReceiver::OnFocusOff
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___OnFocusOff_4;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnFocusReceiver::hadFocus
bool ___hadFocus_5;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnFocusReceiver::lastState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___lastState_6;
public:
inline static int32_t get_offset_of_OnFocusOff_4() { return static_cast<int32_t>(offsetof(InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03, ___OnFocusOff_4)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_OnFocusOff_4() const { return ___OnFocusOff_4; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_OnFocusOff_4() { return &___OnFocusOff_4; }
inline void set_OnFocusOff_4(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___OnFocusOff_4 = value;
Il2CppCodeGenWriteBarrier((&___OnFocusOff_4), value);
}
inline static int32_t get_offset_of_hadFocus_5() { return static_cast<int32_t>(offsetof(InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03, ___hadFocus_5)); }
inline bool get_hadFocus_5() const { return ___hadFocus_5; }
inline bool* get_address_of_hadFocus_5() { return &___hadFocus_5; }
inline void set_hadFocus_5(bool value)
{
___hadFocus_5 = value;
}
inline static int32_t get_offset_of_lastState_6() { return static_cast<int32_t>(offsetof(InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03, ___lastState_6)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_lastState_6() const { return ___lastState_6; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_lastState_6() { return &___lastState_6; }
inline void set_lastState_6(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___lastState_6 = value;
Il2CppCodeGenWriteBarrier((&___lastState_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEONFOCUSRECEIVER_T68FE22258DC03E2BC3D2A0EAD1642088BD59EB03_H
#ifndef INTERACTABLEONHOLDRECEIVER_T751465CF91A4ADEAFA76FBEADD11E239C90A7981_H
#define INTERACTABLEONHOLDRECEIVER_T751465CF91A4ADEAFA76FBEADD11E239C90A7981_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnHoldReceiver
struct InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnHoldReceiver::HoldTime
float ___HoldTime_4;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnHoldReceiver::clickTimer
float ___clickTimer_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnHoldReceiver::hasDown
bool ___hasDown_6;
public:
inline static int32_t get_offset_of_HoldTime_4() { return static_cast<int32_t>(offsetof(InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981, ___HoldTime_4)); }
inline float get_HoldTime_4() const { return ___HoldTime_4; }
inline float* get_address_of_HoldTime_4() { return &___HoldTime_4; }
inline void set_HoldTime_4(float value)
{
___HoldTime_4 = value;
}
inline static int32_t get_offset_of_clickTimer_5() { return static_cast<int32_t>(offsetof(InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981, ___clickTimer_5)); }
inline float get_clickTimer_5() const { return ___clickTimer_5; }
inline float* get_address_of_clickTimer_5() { return &___clickTimer_5; }
inline void set_clickTimer_5(float value)
{
___clickTimer_5 = value;
}
inline static int32_t get_offset_of_hasDown_6() { return static_cast<int32_t>(offsetof(InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981, ___hasDown_6)); }
inline bool get_hasDown_6() const { return ___hasDown_6; }
inline bool* get_address_of_hasDown_6() { return &___hasDown_6; }
inline void set_hasDown_6(bool value)
{
___hasDown_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEONHOLDRECEIVER_T751465CF91A4ADEAFA76FBEADD11E239C90A7981_H
#ifndef INTERACTABLEONPRESSRECEIVER_TACDDB13B0B31156751836F4E44897ABA15ED55E1_H
#define INTERACTABLEONPRESSRECEIVER_TACDDB13B0B31156751836F4E44897ABA15ED55E1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnPressReceiver
struct InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnPressReceiver::OnRelease
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___OnRelease_4;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnPressReceiver::hasDown
bool ___hasDown_5;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnPressReceiver::lastState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___lastState_6;
public:
inline static int32_t get_offset_of_OnRelease_4() { return static_cast<int32_t>(offsetof(InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1, ___OnRelease_4)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_OnRelease_4() const { return ___OnRelease_4; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_OnRelease_4() { return &___OnRelease_4; }
inline void set_OnRelease_4(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___OnRelease_4 = value;
Il2CppCodeGenWriteBarrier((&___OnRelease_4), value);
}
inline static int32_t get_offset_of_hasDown_5() { return static_cast<int32_t>(offsetof(InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1, ___hasDown_5)); }
inline bool get_hasDown_5() const { return ___hasDown_5; }
inline bool* get_address_of_hasDown_5() { return &___hasDown_5; }
inline void set_hasDown_5(bool value)
{
___hasDown_5 = value;
}
inline static int32_t get_offset_of_lastState_6() { return static_cast<int32_t>(offsetof(InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1, ___lastState_6)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_lastState_6() const { return ___lastState_6; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_lastState_6() { return &___lastState_6; }
inline void set_lastState_6(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___lastState_6 = value;
Il2CppCodeGenWriteBarrier((&___lastState_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEONPRESSRECEIVER_TACDDB13B0B31156751836F4E44897ABA15ED55E1_H
#ifndef INTERACTABLEONTOGGLERECEIVER_TF61050B5BC25D7A5A27450C870E20392F03C01D6_H
#define INTERACTABLEONTOGGLERECEIVER_TF61050B5BC25D7A5A27450C870E20392F03C01D6_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnToggleReceiver
struct InteractableOnToggleReceiver_tF61050B5BC25D7A5A27450C870E20392F03C01D6 : public ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51
{
public:
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableOnToggleReceiver::OnDeselect
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___OnDeselect_4;
public:
inline static int32_t get_offset_of_OnDeselect_4() { return static_cast<int32_t>(offsetof(InteractableOnToggleReceiver_tF61050B5BC25D7A5A27450C870E20392F03C01D6, ___OnDeselect_4)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_OnDeselect_4() const { return ___OnDeselect_4; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_OnDeselect_4() { return &___OnDeselect_4; }
inline void set_OnDeselect_4(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___OnDeselect_4 = value;
Il2CppCodeGenWriteBarrier((&___OnDeselect_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEONTOGGLERECEIVER_TF61050B5BC25D7A5A27450C870E20392F03C01D6_H
#ifndef THEMELISTS_T66147BA9FD639A1D868F4B98808B9D36AD79FB99_H
#define THEMELISTS_T66147BA9FD639A1D868F4B98808B9D36AD79FB99_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem_ThemeLists
struct ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99
{
public:
// System.Collections.Generic.List`1<System.Type> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem_ThemeLists::Types
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___Types_0;
// System.Collections.Generic.List`1<System.String> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem_ThemeLists::Names
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___Names_1;
public:
inline static int32_t get_offset_of_Types_0() { return static_cast<int32_t>(offsetof(ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99, ___Types_0)); }
inline List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * get_Types_0() const { return ___Types_0; }
inline List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 ** get_address_of_Types_0() { return &___Types_0; }
inline void set_Types_0(List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * value)
{
___Types_0 = value;
Il2CppCodeGenWriteBarrier((&___Types_0), value);
}
inline static int32_t get_offset_of_Names_1() { return static_cast<int32_t>(offsetof(ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99, ___Names_1)); }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * get_Names_1() const { return ___Names_1; }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 ** get_address_of_Names_1() { return &___Names_1; }
inline void set_Names_1(List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * value)
{
___Names_1 = value;
Il2CppCodeGenWriteBarrier((&___Names_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem/ThemeLists
struct ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99_marshaled_pinvoke
{
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___Types_0;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___Names_1;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem/ThemeLists
struct ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99_marshaled_com
{
List_1_tE9D3AD6B1DEE5D980D8D2F6C31987453E6E1C1E0 * ___Types_0;
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___Names_1;
};
#endif // THEMELISTS_T66147BA9FD639A1D868F4B98808B9D36AD79FB99_H
#ifndef INTERACTABLESTATES_TB51862D30732F5BA994C9CDC3D83F81B3D29CCD1_H
#define INTERACTABLESTATES_TB51862D30732F5BA994C9CDC3D83F81B3D29CCD1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates
struct InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1 : public InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates::allStates
StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* ___allStates_3;
public:
inline static int32_t get_offset_of_allStates_3() { return static_cast<int32_t>(offsetof(InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1, ___allStates_3)); }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* get_allStates_3() const { return ___allStates_3; }
inline StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F** get_address_of_allStates_3() { return &___allStates_3; }
inline void set_allStates_3(StateU5BU5D_t8494E56B7E0B8BDB0E9BD868F11AAB590D12944F* value)
{
___allStates_3 = value;
Il2CppCodeGenWriteBarrier((&___allStates_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESTATES_TB51862D30732F5BA994C9CDC3D83F81B3D29CCD1_H
#ifndef INTERACTABLEACTIVATETHEME_T4E3E6E2B2E2098C748799A201CFBDF695A6CDB6E_H
#define INTERACTABLEACTIVATETHEME_T4E3E6E2B2E2098C748799A201CFBDF695A6CDB6E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableActivateTheme
struct InteractableActivateTheme_t4E3E6E2B2E2098C748799A201CFBDF695A6CDB6E : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEACTIVATETHEME_T4E3E6E2B2E2098C748799A201CFBDF695A6CDB6E_H
#ifndef INTERACTABLEANIMATORTHEME_TCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7_H
#define INTERACTABLEANIMATORTHEME_TCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableAnimatorTheme
struct InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableAnimatorTheme::lastIndex
int32_t ___lastIndex_10;
// UnityEngine.Animator Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableAnimatorTheme::controller
Animator_tF1A88E66B3B731DDA75A066DBAE9C55837660F5A * ___controller_11;
public:
inline static int32_t get_offset_of_lastIndex_10() { return static_cast<int32_t>(offsetof(InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7, ___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_controller_11() { return static_cast<int32_t>(offsetof(InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7, ___controller_11)); }
inline Animator_tF1A88E66B3B731DDA75A066DBAE9C55837660F5A * get_controller_11() const { return ___controller_11; }
inline Animator_tF1A88E66B3B731DDA75A066DBAE9C55837660F5A ** get_address_of_controller_11() { return &___controller_11; }
inline void set_controller_11(Animator_tF1A88E66B3B731DDA75A066DBAE9C55837660F5A * value)
{
___controller_11 = value;
Il2CppCodeGenWriteBarrier((&___controller_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEANIMATORTHEME_TCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7_H
#ifndef INTERACTABLEAUDIOTHEME_T21F1F9DF23BB1528A0C2529CBD67FEC95B640926_H
#define INTERACTABLEAUDIOTHEME_T21F1F9DF23BB1528A0C2529CBD67FEC95B640926_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableAudioTheme
struct InteractableAudioTheme_t21F1F9DF23BB1528A0C2529CBD67FEC95B640926 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.AudioSource Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableAudioTheme::audioSource
AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * ___audioSource_10;
public:
inline static int32_t get_offset_of_audioSource_10() { return static_cast<int32_t>(offsetof(InteractableAudioTheme_t21F1F9DF23BB1528A0C2529CBD67FEC95B640926, ___audioSource_10)); }
inline AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * get_audioSource_10() const { return ___audioSource_10; }
inline AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C ** get_address_of_audioSource_10() { return &___audioSource_10; }
inline void set_audioSource_10(AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * value)
{
___audioSource_10 = value;
Il2CppCodeGenWriteBarrier((&___audioSource_10), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEAUDIOTHEME_T21F1F9DF23BB1528A0C2529CBD67FEC95B640926_H
#ifndef BLOCKSANDRENDERER_TDA788381631FD5A82EB8FEE11C4682649E96FA09_H
#define BLOCKSANDRENDERER_TDA788381631FD5A82EB8FEE11C4682649E96FA09_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme_BlocksAndRenderer
struct BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09
{
public:
// UnityEngine.MaterialPropertyBlock Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme_BlocksAndRenderer::Block
MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * ___Block_0;
// UnityEngine.Renderer Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme_BlocksAndRenderer::Renderer
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___Renderer_1;
public:
inline static int32_t get_offset_of_Block_0() { return static_cast<int32_t>(offsetof(BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09, ___Block_0)); }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * get_Block_0() const { return ___Block_0; }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 ** get_address_of_Block_0() { return &___Block_0; }
inline void set_Block_0(MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * value)
{
___Block_0 = value;
Il2CppCodeGenWriteBarrier((&___Block_0), value);
}
inline static int32_t get_offset_of_Renderer_1() { return static_cast<int32_t>(offsetof(BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09, ___Renderer_1)); }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * get_Renderer_1() const { return ___Renderer_1; }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 ** get_address_of_Renderer_1() { return &___Renderer_1; }
inline void set_Renderer_1(Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * value)
{
___Renderer_1 = value;
Il2CppCodeGenWriteBarrier((&___Renderer_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme/BlocksAndRenderer
struct BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09_marshaled_pinvoke
{
MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * ___Block_0;
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___Renderer_1;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme/BlocksAndRenderer
struct BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09_marshaled_com
{
MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * ___Block_0;
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___Renderer_1;
};
#endif // BLOCKSANDRENDERER_TDA788381631FD5A82EB8FEE11C4682649E96FA09_H
#ifndef INTERACTABLEMATERIALTHEME_T292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D_H
#define INTERACTABLEMATERIALTHEME_T292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableMaterialTheme
struct InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.Material Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableMaterialTheme::material
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * ___material_10;
// UnityEngine.Renderer Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableMaterialTheme::renderer
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___renderer_11;
public:
inline static int32_t get_offset_of_material_10() { return static_cast<int32_t>(offsetof(InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D, ___material_10)); }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * get_material_10() const { return ___material_10; }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 ** get_address_of_material_10() { return &___material_10; }
inline void set_material_10(Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * value)
{
___material_10 = value;
Il2CppCodeGenWriteBarrier((&___material_10), value);
}
inline static int32_t get_offset_of_renderer_11() { return static_cast<int32_t>(offsetof(InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D, ___renderer_11)); }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * get_renderer_11() const { return ___renderer_11; }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 ** get_address_of_renderer_11() { return &___renderer_11; }
inline void set_renderer_11(Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * value)
{
___renderer_11 = value;
Il2CppCodeGenWriteBarrier((&___renderer_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEMATERIALTHEME_T292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D_H
#ifndef INTERACTABLEROTATIONTHEME_T17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E_H
#define INTERACTABLEROTATIONTHEME_T17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableRotationTheme
struct InteractableRotationTheme_t17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableRotationTheme::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_10;
public:
inline static int32_t get_offset_of_hostTransform_10() { return static_cast<int32_t>(offsetof(InteractableRotationTheme_t17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E, ___hostTransform_10)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_10() const { return ___hostTransform_10; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_10() { return &___hostTransform_10; }
inline void set_hostTransform_10(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_10 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_10), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEROTATIONTHEME_T17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E_H
#ifndef INTERACTABLESCALETHEME_T82A337705EAD0C1BADB7BE931AFAD824B74CAE58_H
#define INTERACTABLESCALETHEME_T82A337705EAD0C1BADB7BE931AFAD824B74CAE58_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableScaleTheme
struct InteractableScaleTheme_t82A337705EAD0C1BADB7BE931AFAD824B74CAE58 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableScaleTheme::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_10;
public:
inline static int32_t get_offset_of_hostTransform_10() { return static_cast<int32_t>(offsetof(InteractableScaleTheme_t82A337705EAD0C1BADB7BE931AFAD824B74CAE58, ___hostTransform_10)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_10() const { return ___hostTransform_10; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_10() { return &___hostTransform_10; }
inline void set_hostTransform_10(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_10 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_10), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESCALETHEME_T82A337705EAD0C1BADB7BE931AFAD824B74CAE58_H
#ifndef INTERACTABLESHADERTHEME_T0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_H
#define INTERACTABLESHADERTHEME_T0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme
struct InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.MaterialPropertyBlock Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme::propertyBlock
MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * ___propertyBlock_11;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme::shaderProperties
List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * ___shaderProperties_12;
// UnityEngine.Renderer Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme::renderer
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___renderer_13;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme::startValue
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * ___startValue_14;
public:
inline static int32_t get_offset_of_propertyBlock_11() { return static_cast<int32_t>(offsetof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55, ___propertyBlock_11)); }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * get_propertyBlock_11() const { return ___propertyBlock_11; }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 ** get_address_of_propertyBlock_11() { return &___propertyBlock_11; }
inline void set_propertyBlock_11(MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * value)
{
___propertyBlock_11 = value;
Il2CppCodeGenWriteBarrier((&___propertyBlock_11), value);
}
inline static int32_t get_offset_of_shaderProperties_12() { return static_cast<int32_t>(offsetof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55, ___shaderProperties_12)); }
inline List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * get_shaderProperties_12() const { return ___shaderProperties_12; }
inline List_1_t008453D2710ACB7AEBE409240C73011E360EF285 ** get_address_of_shaderProperties_12() { return &___shaderProperties_12; }
inline void set_shaderProperties_12(List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * value)
{
___shaderProperties_12 = value;
Il2CppCodeGenWriteBarrier((&___shaderProperties_12), value);
}
inline static int32_t get_offset_of_renderer_13() { return static_cast<int32_t>(offsetof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55, ___renderer_13)); }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * get_renderer_13() const { return ___renderer_13; }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 ** get_address_of_renderer_13() { return &___renderer_13; }
inline void set_renderer_13(Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * value)
{
___renderer_13 = value;
Il2CppCodeGenWriteBarrier((&___renderer_13), value);
}
inline static int32_t get_offset_of_startValue_14() { return static_cast<int32_t>(offsetof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55, ___startValue_14)); }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * get_startValue_14() const { return ___startValue_14; }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 ** get_address_of_startValue_14() { return &___startValue_14; }
inline void set_startValue_14(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * value)
{
___startValue_14 = value;
Il2CppCodeGenWriteBarrier((&___startValue_14), value);
}
};
struct InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_StaticFields
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableShaderTheme::emptyValue
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * ___emptyValue_10;
public:
inline static int32_t get_offset_of_emptyValue_10() { return static_cast<int32_t>(offsetof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_StaticFields, ___emptyValue_10)); }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * get_emptyValue_10() const { return ___emptyValue_10; }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 ** get_address_of_emptyValue_10() { return &___emptyValue_10; }
inline void set_emptyValue_10(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * value)
{
___emptyValue_10 = value;
Il2CppCodeGenWriteBarrier((&___emptyValue_10), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESHADERTHEME_T0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_H
#ifndef INTERACTABLESTRINGTHEME_TE8332794BBBDE868ABABD8F98377658293FB0229_H
#define INTERACTABLESTRINGTHEME_TE8332794BBBDE868ABABD8F98377658293FB0229_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableStringTheme
struct InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.TextMesh Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableStringTheme::mesh
TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * ___mesh_10;
// UnityEngine.UI.Text Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableStringTheme::text
Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * ___text_11;
public:
inline static int32_t get_offset_of_mesh_10() { return static_cast<int32_t>(offsetof(InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229, ___mesh_10)); }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * get_mesh_10() const { return ___mesh_10; }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A ** get_address_of_mesh_10() { return &___mesh_10; }
inline void set_mesh_10(TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * value)
{
___mesh_10 = value;
Il2CppCodeGenWriteBarrier((&___mesh_10), value);
}
inline static int32_t get_offset_of_text_11() { return static_cast<int32_t>(offsetof(InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229, ___text_11)); }
inline Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * get_text_11() const { return ___text_11; }
inline Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 ** get_address_of_text_11() { return &___text_11; }
inline void set_text_11(Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * value)
{
___text_11 = value;
Il2CppCodeGenWriteBarrier((&___text_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESTRINGTHEME_TE8332794BBBDE868ABABD8F98377658293FB0229_H
#ifndef INTERACTABLETEXTURETHEME_TCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10_H
#define INTERACTABLETEXTURETHEME_TCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableTextureTheme
struct InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.MaterialPropertyBlock Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableTextureTheme::propertyBlock
MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * ___propertyBlock_10;
// UnityEngine.Renderer Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableTextureTheme::renderer
Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * ___renderer_11;
public:
inline static int32_t get_offset_of_propertyBlock_10() { return static_cast<int32_t>(offsetof(InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10, ___propertyBlock_10)); }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * get_propertyBlock_10() const { return ___propertyBlock_10; }
inline MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 ** get_address_of_propertyBlock_10() { return &___propertyBlock_10; }
inline void set_propertyBlock_10(MaterialPropertyBlock_t72A481768111C6F11DCDCD44F0C7F99F1CA79E13 * value)
{
___propertyBlock_10 = value;
Il2CppCodeGenWriteBarrier((&___propertyBlock_10), value);
}
inline static int32_t get_offset_of_renderer_11() { return static_cast<int32_t>(offsetof(InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10, ___renderer_11)); }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * get_renderer_11() const { return ___renderer_11; }
inline Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 ** get_address_of_renderer_11() { return &___renderer_11; }
inline void set_renderer_11(Renderer_t0556D67DD582620D1F495627EDE30D03284151F4 * value)
{
___renderer_11 = value;
Il2CppCodeGenWriteBarrier((&___renderer_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETEXTURETHEME_TCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10_H
#ifndef INTERACTABLETHEMEPROPERTYSETTINGS_T4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7_H
#define INTERACTABLETHEMEPROPERTYSETTINGS_T4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings
struct InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::Name
String_t* ___Name_0;
// System.Type Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::Type
Type_t * ___Type_1;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::Theme
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 * ___Theme_2;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::Properties
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___Properties_3;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::History
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___History_4;
// Microsoft.MixedReality.Toolkit.SDK.UX.Easing Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::Easing
Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * ___Easing_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::NoEasing
bool ___NoEasing_6;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::IsValid
bool ___IsValid_7;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeTarget Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings::ThemeTarget
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 * ___ThemeTarget_8;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___Type_1)); }
inline Type_t * get_Type_1() const { return ___Type_1; }
inline Type_t ** get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(Type_t * value)
{
___Type_1 = value;
Il2CppCodeGenWriteBarrier((&___Type_1), value);
}
inline static int32_t get_offset_of_Theme_2() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___Theme_2)); }
inline InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 * get_Theme_2() const { return ___Theme_2; }
inline InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 ** get_address_of_Theme_2() { return &___Theme_2; }
inline void set_Theme_2(InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 * value)
{
___Theme_2 = value;
Il2CppCodeGenWriteBarrier((&___Theme_2), value);
}
inline static int32_t get_offset_of_Properties_3() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___Properties_3)); }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * get_Properties_3() const { return ___Properties_3; }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA ** get_address_of_Properties_3() { return &___Properties_3; }
inline void set_Properties_3(List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * value)
{
___Properties_3 = value;
Il2CppCodeGenWriteBarrier((&___Properties_3), value);
}
inline static int32_t get_offset_of_History_4() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___History_4)); }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * get_History_4() const { return ___History_4; }
inline List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA ** get_address_of_History_4() { return &___History_4; }
inline void set_History_4(List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * value)
{
___History_4 = value;
Il2CppCodeGenWriteBarrier((&___History_4), value);
}
inline static int32_t get_offset_of_Easing_5() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___Easing_5)); }
inline Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * get_Easing_5() const { return ___Easing_5; }
inline Easing_t78350D5B578BE29C2875E2B355314E073C3368CF ** get_address_of_Easing_5() { return &___Easing_5; }
inline void set_Easing_5(Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * value)
{
___Easing_5 = value;
Il2CppCodeGenWriteBarrier((&___Easing_5), value);
}
inline static int32_t get_offset_of_NoEasing_6() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___NoEasing_6)); }
inline bool get_NoEasing_6() const { return ___NoEasing_6; }
inline bool* get_address_of_NoEasing_6() { return &___NoEasing_6; }
inline void set_NoEasing_6(bool value)
{
___NoEasing_6 = value;
}
inline static int32_t get_offset_of_IsValid_7() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___IsValid_7)); }
inline bool get_IsValid_7() const { return ___IsValid_7; }
inline bool* get_address_of_IsValid_7() { return &___IsValid_7; }
inline void set_IsValid_7(bool value)
{
___IsValid_7 = value;
}
inline static int32_t get_offset_of_ThemeTarget_8() { return static_cast<int32_t>(offsetof(InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7, ___ThemeTarget_8)); }
inline ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 * get_ThemeTarget_8() const { return ___ThemeTarget_8; }
inline ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 ** get_address_of_ThemeTarget_8() { return &___ThemeTarget_8; }
inline void set_ThemeTarget_8(ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 * value)
{
___ThemeTarget_8 = value;
Il2CppCodeGenWriteBarrier((&___ThemeTarget_8), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings
struct InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7_marshaled_pinvoke
{
char* ___Name_0;
Type_t * ___Type_1;
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 * ___Theme_2;
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___Properties_3;
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___History_4;
Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * ___Easing_5;
int32_t ___NoEasing_6;
int32_t ___IsValid_7;
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 * ___ThemeTarget_8;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings
struct InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7_marshaled_com
{
Il2CppChar* ___Name_0;
Type_t * ___Type_1;
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9 * ___Theme_2;
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___Properties_3;
List_1_t7764BD8CC8F2285D505A0A0961E61EF4991E99DA * ___History_4;
Easing_t78350D5B578BE29C2875E2B355314E073C3368CF * ___Easing_5;
int32_t ___NoEasing_6;
int32_t ___IsValid_7;
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7 * ___ThemeTarget_8;
};
#endif // INTERACTABLETHEMEPROPERTYSETTINGS_T4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7_H
#ifndef PROFILESETTINGS_T280855EF7CB930948F0D4C38EA197C5580ABBFC7_H
#define PROFILESETTINGS_T280855EF7CB930948F0D4C38EA197C5580ABBFC7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings
struct ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings::ThemeSettings
List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 * ___ThemeSettings_0;
public:
inline static int32_t get_offset_of_ThemeSettings_0() { return static_cast<int32_t>(offsetof(ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7, ___ThemeSettings_0)); }
inline List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 * get_ThemeSettings_0() const { return ___ThemeSettings_0; }
inline List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 ** get_address_of_ThemeSettings_0() { return &___ThemeSettings_0; }
inline void set_ThemeSettings_0(List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 * value)
{
___ThemeSettings_0 = value;
Il2CppCodeGenWriteBarrier((&___ThemeSettings_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings
struct ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7_marshaled_pinvoke
{
List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 * ___ThemeSettings_0;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings
struct ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7_marshaled_com
{
List_1_tFEC7404ED7DA229C0A96B32BFB98EBE461E3B124 * ___ThemeSettings_0;
};
#endif // PROFILESETTINGS_T280855EF7CB930948F0D4C38EA197C5580ABBFC7_H
#ifndef SHADERINFO_T5BE8AA823828A165371402F3855C4083DD01FBF4_H
#define SHADERINFO_T5BE8AA823828A165371402F3855C4083DD01FBF4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderInfo
struct ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderInfo::ShaderOptions
ShaderPropertiesU5BU5D_t12B44B01A6CDA221C83B3F63AE9E62A7707464C5* ___ShaderOptions_0;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderInfo::Name
String_t* ___Name_1;
public:
inline static int32_t get_offset_of_ShaderOptions_0() { return static_cast<int32_t>(offsetof(ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4, ___ShaderOptions_0)); }
inline ShaderPropertiesU5BU5D_t12B44B01A6CDA221C83B3F63AE9E62A7707464C5* get_ShaderOptions_0() const { return ___ShaderOptions_0; }
inline ShaderPropertiesU5BU5D_t12B44B01A6CDA221C83B3F63AE9E62A7707464C5** get_address_of_ShaderOptions_0() { return &___ShaderOptions_0; }
inline void set_ShaderOptions_0(ShaderPropertiesU5BU5D_t12B44B01A6CDA221C83B3F63AE9E62A7707464C5* value)
{
___ShaderOptions_0 = value;
Il2CppCodeGenWriteBarrier((&___ShaderOptions_0), value);
}
inline static int32_t get_offset_of_Name_1() { return static_cast<int32_t>(offsetof(ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4, ___Name_1)); }
inline String_t* get_Name_1() const { return ___Name_1; }
inline String_t** get_address_of_Name_1() { return &___Name_1; }
inline void set_Name_1(String_t* value)
{
___Name_1 = value;
Il2CppCodeGenWriteBarrier((&___Name_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderInfo
struct ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4_marshaled_pinvoke
{
ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_pinvoke* ___ShaderOptions_0;
char* ___Name_1;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderInfo
struct ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4_marshaled_com
{
ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_com* ___ShaderOptions_0;
Il2CppChar* ___Name_1;
};
#endif // SHADERINFO_T5BE8AA823828A165371402F3855C4083DD01FBF4_H
#ifndef THEMESETTINGS_TA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7_H
#define THEMESETTINGS_TA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings
struct ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings::Settings
List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * ___Settings_0;
public:
inline static int32_t get_offset_of_Settings_0() { return static_cast<int32_t>(offsetof(ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7, ___Settings_0)); }
inline List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * get_Settings_0() const { return ___Settings_0; }
inline List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 ** get_address_of_Settings_0() { return &___Settings_0; }
inline void set_Settings_0(List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * value)
{
___Settings_0 = value;
Il2CppCodeGenWriteBarrier((&___Settings_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings
struct ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7_marshaled_pinvoke
{
List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * ___Settings_0;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ThemeSettings
struct ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7_marshaled_com
{
List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * ___Settings_0;
};
#endif // THEMESETTINGS_TA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7_H
#ifndef ENUMERATOR_T12FC4046BEB26F686D773FB3AA2CFFE110908CBF_H
#define ENUMERATOR_T12FC4046BEB26F686D773FB3AA2CFFE110908CBF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator<System.UInt32,System.Boolean>
struct Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF
{
public:
// System.Collections.Generic.Dictionary`2<TKey,TValue> System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator::dictionary
Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * ___dictionary_0;
// System.Int32 System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator::index
int32_t ___index_1;
// System.Int32 System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator::version
int32_t ___version_2;
// TKey System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator::currentKey
uint32_t ___currentKey_3;
public:
inline static int32_t get_offset_of_dictionary_0() { return static_cast<int32_t>(offsetof(Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF, ___dictionary_0)); }
inline Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * get_dictionary_0() const { return ___dictionary_0; }
inline Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 ** get_address_of_dictionary_0() { return &___dictionary_0; }
inline void set_dictionary_0(Dictionary_2_t7A223AB4ABB8DBDCA019F46428591CF3E5D1D062 * value)
{
___dictionary_0 = value;
Il2CppCodeGenWriteBarrier((&___dictionary_0), value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF, ___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_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF, ___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_currentKey_3() { return static_cast<int32_t>(offsetof(Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF, ___currentKey_3)); }
inline uint32_t get_currentKey_3() const { return ___currentKey_3; }
inline uint32_t* get_address_of_currentKey_3() { return &___currentKey_3; }
inline void set_currentKey_3(uint32_t value)
{
___currentKey_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ENUMERATOR_T12FC4046BEB26F686D773FB3AA2CFFE110908CBF_H
#ifndef DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#define DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.DateTime
struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132
{
public:
// System.UInt64 System.DateTime::dateData
uint64_t ___dateData_44;
public:
inline static int32_t get_offset_of_dateData_44() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132, ___dateData_44)); }
inline uint64_t get_dateData_44() const { return ___dateData_44; }
inline uint64_t* get_address_of_dateData_44() { return &___dateData_44; }
inline void set_dateData_44(uint64_t value)
{
___dateData_44 = value;
}
};
struct DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields
{
public:
// System.Int32[] System.DateTime::DaysToMonth365
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth365_29;
// System.Int32[] System.DateTime::DaysToMonth366
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___DaysToMonth366_30;
// System.DateTime System.DateTime::MinValue
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MinValue_31;
// System.DateTime System.DateTime::MaxValue
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___MaxValue_32;
public:
inline static int32_t get_offset_of_DaysToMonth365_29() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth365_29)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth365_29() const { return ___DaysToMonth365_29; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth365_29() { return &___DaysToMonth365_29; }
inline void set_DaysToMonth365_29(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___DaysToMonth365_29 = value;
Il2CppCodeGenWriteBarrier((&___DaysToMonth365_29), value);
}
inline static int32_t get_offset_of_DaysToMonth366_30() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___DaysToMonth366_30)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_DaysToMonth366_30() const { return ___DaysToMonth366_30; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_DaysToMonth366_30() { return &___DaysToMonth366_30; }
inline void set_DaysToMonth366_30(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___DaysToMonth366_30 = value;
Il2CppCodeGenWriteBarrier((&___DaysToMonth366_30), value);
}
inline static int32_t get_offset_of_MinValue_31() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MinValue_31)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MinValue_31() const { return ___MinValue_31; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MinValue_31() { return &___MinValue_31; }
inline void set_MinValue_31(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___MinValue_31 = value;
}
inline static int32_t get_offset_of_MaxValue_32() { return static_cast<int32_t>(offsetof(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132_StaticFields, ___MaxValue_32)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_MaxValue_32() const { return ___MaxValue_32; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_MaxValue_32() { return &___MaxValue_32; }
inline void set_MaxValue_32(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___MaxValue_32 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DATETIME_T349B7449FBAAFF4192636E2B7A07694DA9236132_H
#ifndef ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#define ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521 : public ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF
{
public:
public:
};
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields
{
public:
// System.Char[] System.Enum::enumSeperatorCharArray
CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* ___enumSeperatorCharArray_0;
public:
inline static int32_t get_offset_of_enumSeperatorCharArray_0() { return static_cast<int32_t>(offsetof(Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_StaticFields, ___enumSeperatorCharArray_0)); }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* get_enumSeperatorCharArray_0() const { return ___enumSeperatorCharArray_0; }
inline CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2** get_address_of_enumSeperatorCharArray_0() { return &___enumSeperatorCharArray_0; }
inline void set_enumSeperatorCharArray_0(CharU5BU5D_t4CC6ABF0AD71BEC97E3C2F1E9C5677E46D3A75C2* value)
{
___enumSeperatorCharArray_0 = value;
Il2CppCodeGenWriteBarrier((&___enumSeperatorCharArray_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.Enum
struct Enum_t2AF27C02B8653AE29442467390005ABC74D8F521_marshaled_com
{
};
#endif // ENUM_T2AF27C02B8653AE29442467390005ABC74D8F521_H
#ifndef INTPTR_T_H
#define INTPTR_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.IntPtr
struct IntPtr_t
{
public:
// System.Void* System.IntPtr::m_value
void* ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); }
inline void* get_m_value_0() const { return ___m_value_0; }
inline void** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(void* value)
{
___m_value_0 = value;
}
};
struct IntPtr_t_StaticFields
{
public:
// System.IntPtr System.IntPtr::Zero
intptr_t ___Zero_1;
public:
inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); }
inline intptr_t get_Zero_1() const { return ___Zero_1; }
inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; }
inline void set_Zero_1(intptr_t value)
{
___Zero_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTPTR_T_H
#ifndef NULLABLE_1_T9E6A67BECE376F0623B5C857F5674A0311C41793_H
#define NULLABLE_1_T9E6A67BECE376F0623B5C857F5674A0311C41793_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Nullable`1<System.Boolean>
struct Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793
{
public:
// T System.Nullable`1::value
bool ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793, ___value_0)); }
inline bool get_value_0() const { return ___value_0; }
inline bool* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(bool value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NULLABLE_1_T9E6A67BECE376F0623B5C857F5674A0311C41793_H
#ifndef NULLABLE_1_T96A9DB0CC70D8F236B20E8A1F00B8FE74850F777_H
#define NULLABLE_1_T96A9DB0CC70D8F236B20E8A1F00B8FE74850F777_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Nullable`1<System.Single>
struct Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777
{
public:
// T System.Nullable`1::value
float ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777, ___value_0)); }
inline float get_value_0() const { return ___value_0; }
inline float* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(float value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NULLABLE_1_T96A9DB0CC70D8F236B20E8A1F00B8FE74850F777_H
#ifndef COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#define COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Color
struct Color_t119BCA590009762C7223FDD3AF9706653AC84ED2
{
public:
// System.Single UnityEngine.Color::r
float ___r_0;
// System.Single UnityEngine.Color::g
float ___g_1;
// System.Single UnityEngine.Color::b
float ___b_2;
// System.Single UnityEngine.Color::a
float ___a_3;
public:
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___r_0)); }
inline float get_r_0() const { return ___r_0; }
inline float* get_address_of_r_0() { return &___r_0; }
inline void set_r_0(float value)
{
___r_0 = value;
}
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___g_1)); }
inline float get_g_1() const { return ___g_1; }
inline float* get_address_of_g_1() { return &___g_1; }
inline void set_g_1(float value)
{
___g_1 = value;
}
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___b_2)); }
inline float get_b_2() const { return ___b_2; }
inline float* get_address_of_b_2() { return &___b_2; }
inline void set_b_2(float value)
{
___b_2 = value;
}
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2, ___a_3)); }
inline float get_a_3() const { return ___a_3; }
inline float* get_address_of_a_3() { return &___a_3; }
inline void set_a_3(float value)
{
___a_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLOR_T119BCA590009762C7223FDD3AF9706653AC84ED2_H
#ifndef QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#define QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Quaternion
struct Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357
{
public:
// System.Single UnityEngine.Quaternion::x
float ___x_0;
// System.Single UnityEngine.Quaternion::y
float ___y_1;
// System.Single UnityEngine.Quaternion::z
float ___z_2;
// System.Single UnityEngine.Quaternion::w
float ___w_3;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___x_0)); }
inline float get_x_0() const { return ___x_0; }
inline float* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(float value)
{
___x_0 = value;
}
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___y_1)); }
inline float get_y_1() const { return ___y_1; }
inline float* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(float value)
{
___y_1 = value;
}
inline static int32_t get_offset_of_z_2() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___z_2)); }
inline float get_z_2() const { return ___z_2; }
inline float* get_address_of_z_2() { return &___z_2; }
inline void set_z_2(float value)
{
___z_2 = value;
}
inline static int32_t get_offset_of_w_3() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357, ___w_3)); }
inline float get_w_3() const { return ___w_3; }
inline float* get_address_of_w_3() { return &___w_3; }
inline void set_w_3(float value)
{
___w_3 = value;
}
};
struct Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_StaticFields
{
public:
// UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___identityQuaternion_4;
public:
inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357_StaticFields, ___identityQuaternion_4)); }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 get_identityQuaternion_4() const { return ___identityQuaternion_4; }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; }
inline void set_identityQuaternion_4(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 value)
{
___identityQuaternion_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // QUATERNION_T319F3319A7D43FFA5D819AD6C0A98851F0095357_H
#ifndef VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#define VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector2
struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D
{
public:
// System.Single UnityEngine.Vector2::x
float ___x_0;
// System.Single UnityEngine.Vector2::y
float ___y_1;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___x_0)); }
inline float get_x_0() const { return ___x_0; }
inline float* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(float value)
{
___x_0 = value;
}
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D, ___y_1)); }
inline float get_y_1() const { return ___y_1; }
inline float* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(float value)
{
___y_1 = value;
}
};
struct Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields
{
public:
// UnityEngine.Vector2 UnityEngine.Vector2::zeroVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___zeroVector_2;
// UnityEngine.Vector2 UnityEngine.Vector2::oneVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___oneVector_3;
// UnityEngine.Vector2 UnityEngine.Vector2::upVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___upVector_4;
// UnityEngine.Vector2 UnityEngine.Vector2::downVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___downVector_5;
// UnityEngine.Vector2 UnityEngine.Vector2::leftVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___leftVector_6;
// UnityEngine.Vector2 UnityEngine.Vector2::rightVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___rightVector_7;
// UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___positiveInfinityVector_8;
// UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___negativeInfinityVector_9;
public:
inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___zeroVector_2)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_zeroVector_2() const { return ___zeroVector_2; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_zeroVector_2() { return &___zeroVector_2; }
inline void set_zeroVector_2(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___zeroVector_2 = value;
}
inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___oneVector_3)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_oneVector_3() const { return ___oneVector_3; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_oneVector_3() { return &___oneVector_3; }
inline void set_oneVector_3(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___oneVector_3 = value;
}
inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___upVector_4)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_upVector_4() const { return ___upVector_4; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_upVector_4() { return &___upVector_4; }
inline void set_upVector_4(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___upVector_4 = value;
}
inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___downVector_5)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_downVector_5() const { return ___downVector_5; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_downVector_5() { return &___downVector_5; }
inline void set_downVector_5(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___downVector_5 = value;
}
inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___leftVector_6)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_leftVector_6() const { return ___leftVector_6; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_leftVector_6() { return &___leftVector_6; }
inline void set_leftVector_6(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___leftVector_6 = value;
}
inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___rightVector_7)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_rightVector_7() const { return ___rightVector_7; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_rightVector_7() { return &___rightVector_7; }
inline void set_rightVector_7(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___rightVector_7 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___positiveInfinityVector_8)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; }
inline void set_positiveInfinityVector_8(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___positiveInfinityVector_8 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D_StaticFields, ___negativeInfinityVector_9)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; }
inline void set_negativeInfinityVector_9(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___negativeInfinityVector_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR2_TA85D2DD88578276CA8A8796756458277E72D073D_H
#ifndef VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#define VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector3
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720
{
public:
// System.Single UnityEngine.Vector3::x
float ___x_2;
// System.Single UnityEngine.Vector3::y
float ___y_3;
// System.Single UnityEngine.Vector3::z
float ___z_4;
public:
inline static int32_t get_offset_of_x_2() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___x_2)); }
inline float get_x_2() const { return ___x_2; }
inline float* get_address_of_x_2() { return &___x_2; }
inline void set_x_2(float value)
{
___x_2 = value;
}
inline static int32_t get_offset_of_y_3() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___y_3)); }
inline float get_y_3() const { return ___y_3; }
inline float* get_address_of_y_3() { return &___y_3; }
inline void set_y_3(float value)
{
___y_3 = value;
}
inline static int32_t get_offset_of_z_4() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___z_4)); }
inline float get_z_4() const { return ___z_4; }
inline float* get_address_of_z_4() { return &___z_4; }
inline void set_z_4(float value)
{
___z_4 = value;
}
};
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___zeroVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___oneVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___upVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___downVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___leftVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rightVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___forwardVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___backVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___positiveInfinityVector_13;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___negativeInfinityVector_14;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___zeroVector_5)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___zeroVector_5 = value;
}
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___oneVector_6)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_oneVector_6() const { return ___oneVector_6; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___oneVector_6 = value;
}
inline static int32_t get_offset_of_upVector_7() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___upVector_7)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_upVector_7() const { return ___upVector_7; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_upVector_7() { return &___upVector_7; }
inline void set_upVector_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___upVector_7 = value;
}
inline static int32_t get_offset_of_downVector_8() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___downVector_8)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_downVector_8() const { return ___downVector_8; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_downVector_8() { return &___downVector_8; }
inline void set_downVector_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___downVector_8 = value;
}
inline static int32_t get_offset_of_leftVector_9() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___leftVector_9)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_leftVector_9() const { return ___leftVector_9; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_leftVector_9() { return &___leftVector_9; }
inline void set_leftVector_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___leftVector_9 = value;
}
inline static int32_t get_offset_of_rightVector_10() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___rightVector_10)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_rightVector_10() const { return ___rightVector_10; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_rightVector_10() { return &___rightVector_10; }
inline void set_rightVector_10(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___rightVector_10 = value;
}
inline static int32_t get_offset_of_forwardVector_11() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___forwardVector_11)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_forwardVector_11() const { return ___forwardVector_11; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_forwardVector_11() { return &___forwardVector_11; }
inline void set_forwardVector_11(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___forwardVector_11 = value;
}
inline static int32_t get_offset_of_backVector_12() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___backVector_12)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_backVector_12() const { return ___backVector_12; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_backVector_12() { return &___backVector_12; }
inline void set_backVector_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___backVector_12 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___positiveInfinityVector_13)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_positiveInfinityVector_13() const { return ___positiveInfinityVector_13; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_positiveInfinityVector_13() { return &___positiveInfinityVector_13; }
inline void set_positiveInfinityVector_13(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___positiveInfinityVector_13 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_14() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___negativeInfinityVector_14)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_negativeInfinityVector_14() const { return ___negativeInfinityVector_14; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_negativeInfinityVector_14() { return &___negativeInfinityVector_14; }
inline void set_negativeInfinityVector_14(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___negativeInfinityVector_14 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifndef VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#define VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector4
struct Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E
{
public:
// System.Single UnityEngine.Vector4::x
float ___x_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;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR4_TD148D6428C3F8FF6CD998F82090113C2B490B76E_H
#ifndef U3CPRIVATEIMPLEMENTATIONDETAILSU3E_T270952CDBCB3D37A83B43179171EFCB3BF0C3765_H
#define U3CPRIVATEIMPLEMENTATIONDETAILSU3E_T270952CDBCB3D37A83B43179171EFCB3BF0C3765_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765 : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields
{
public:
// <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7
__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC ___2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0;
// <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::42CFCBAA436AAD284E2C9997397BD83197DEDFA1
__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC ___42CFCBAA436AAD284E2C9997397BD83197DEDFA1_1;
// <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::CD46CDCC7BDB27F008C934B0C63D21111452F976
__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC ___CD46CDCC7BDB27F008C934B0C63D21111452F976_2;
// <PrivateImplementationDetails>___StaticArrayInitTypeSizeU3D16 <PrivateImplementationDetails>::CF55838B41489BA73EB8B45F930C50281E3A487A
__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC ___CF55838B41489BA73EB8B45F930C50281E3A487A_3;
public:
inline static int32_t get_offset_of_U32DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields, ___2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0)); }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC get_U32DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0() const { return ___2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0; }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC * get_address_of_U32DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0() { return &___2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0; }
inline void set_U32DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0(__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC value)
{
___2DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0 = value;
}
inline static int32_t get_offset_of_U342CFCBAA436AAD284E2C9997397BD83197DEDFA1_1() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields, ___42CFCBAA436AAD284E2C9997397BD83197DEDFA1_1)); }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC get_U342CFCBAA436AAD284E2C9997397BD83197DEDFA1_1() const { return ___42CFCBAA436AAD284E2C9997397BD83197DEDFA1_1; }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC * get_address_of_U342CFCBAA436AAD284E2C9997397BD83197DEDFA1_1() { return &___42CFCBAA436AAD284E2C9997397BD83197DEDFA1_1; }
inline void set_U342CFCBAA436AAD284E2C9997397BD83197DEDFA1_1(__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC value)
{
___42CFCBAA436AAD284E2C9997397BD83197DEDFA1_1 = value;
}
inline static int32_t get_offset_of_CD46CDCC7BDB27F008C934B0C63D21111452F976_2() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields, ___CD46CDCC7BDB27F008C934B0C63D21111452F976_2)); }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC get_CD46CDCC7BDB27F008C934B0C63D21111452F976_2() const { return ___CD46CDCC7BDB27F008C934B0C63D21111452F976_2; }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC * get_address_of_CD46CDCC7BDB27F008C934B0C63D21111452F976_2() { return &___CD46CDCC7BDB27F008C934B0C63D21111452F976_2; }
inline void set_CD46CDCC7BDB27F008C934B0C63D21111452F976_2(__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC value)
{
___CD46CDCC7BDB27F008C934B0C63D21111452F976_2 = value;
}
inline static int32_t get_offset_of_CF55838B41489BA73EB8B45F930C50281E3A487A_3() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields, ___CF55838B41489BA73EB8B45F930C50281E3A487A_3)); }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC get_CF55838B41489BA73EB8B45F930C50281E3A487A_3() const { return ___CF55838B41489BA73EB8B45F930C50281E3A487A_3; }
inline __StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC * get_address_of_CF55838B41489BA73EB8B45F930C50281E3A487A_3() { return &___CF55838B41489BA73EB8B45F930C50281E3A487A_3; }
inline void set_CF55838B41489BA73EB8B45F930C50281E3A487A_3(__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC value)
{
___CF55838B41489BA73EB8B45F930C50281E3A487A_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CPRIVATEIMPLEMENTATIONDETAILSU3E_T270952CDBCB3D37A83B43179171EFCB3BF0C3765_H
#ifndef TRACKINGSTATE_T0F12B1688B933771A72C815DFA98264F880BC384_H
#define TRACKINGSTATE_T0F12B1688B933771A72C815DFA98264F880BC384_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Devices.TrackingState
struct TrackingState_t0F12B1688B933771A72C815DFA98264F880BC384
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Devices.TrackingState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackingState_t0F12B1688B933771A72C815DFA98264F880BC384, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TRACKINGSTATE_T0F12B1688B933771A72C815DFA98264F880BC384_H
#ifndef AXISTYPE_T2C42254D0B6158D9AD6479D6A2AFD28EDFA39F3F_H
#define AXISTYPE_T2C42254D0B6158D9AD6479D6A2AFD28EDFA39F3F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.AxisType
struct AxisType_t2C42254D0B6158D9AD6479D6A2AFD28EDFA39F3F
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.AxisType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AxisType_t2C42254D0B6158D9AD6479D6A2AFD28EDFA39F3F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AXISTYPE_T2C42254D0B6158D9AD6479D6A2AFD28EDFA39F3F_H
#ifndef COLLATIONORDER_T34C130894B1E088B7EDD13B00401830ACB2F8A08_H
#define COLLATIONORDER_T34C130894B1E088B7EDD13B00401830ACB2F8A08_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.CollationOrder
struct CollationOrder_t34C130894B1E088B7EDD13B00401830ACB2F8A08
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.CollationOrder::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CollationOrder_t34C130894B1E088B7EDD13B00401830ACB2F8A08, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COLLATIONORDER_T34C130894B1E088B7EDD13B00401830ACB2F8A08_H
#ifndef EXPERIENCESCALE_TAAC9BD759FCCFE4893BE867776AFE1FA1A9D981A_H
#define EXPERIENCESCALE_TAAC9BD759FCCFE4893BE867776AFE1FA1A9D981A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.ExperienceScale
struct ExperienceScale_tAAC9BD759FCCFE4893BE867776AFE1FA1A9D981A
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.ExperienceScale::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExperienceScale_tAAC9BD759FCCFE4893BE867776AFE1FA1A9D981A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // EXPERIENCESCALE_TAAC9BD759FCCFE4893BE867776AFE1FA1A9D981A_H
#ifndef HANDEDNESS_TDB273D49A6F837AB4DE699FCC4E88F346E7521B0_H
#define HANDEDNESS_TDB273D49A6F837AB4DE699FCC4E88F346E7521B0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.Handedness
struct Handedness_tDB273D49A6F837AB4DE699FCC4E88F346E7521B0
{
public:
// System.Byte Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.Handedness::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Handedness_tDB273D49A6F837AB4DE699FCC4E88F346E7521B0, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // HANDEDNESS_TDB273D49A6F837AB4DE699FCC4E88F346E7521B0_H
#ifndef MOVEMENTCONSTRAINTTYPE_T7510363EB4F21B5DFED7C1348010BC4B8122C15F_H
#define MOVEMENTCONSTRAINTTYPE_T7510363EB4F21B5DFED7C1348010BC4B8122C15F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.MovementConstraintType
struct MovementConstraintType_t7510363EB4F21B5DFED7C1348010BC4B8122C15F
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.MovementConstraintType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MovementConstraintType_t7510363EB4F21B5DFED7C1348010BC4B8122C15F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MOVEMENTCONSTRAINTTYPE_T7510363EB4F21B5DFED7C1348010BC4B8122C15F_H
#ifndef ORIENTATIONTYPE_TE5CCBE6944D54C661E3CBF5357E56A4643C43BDA_H
#define ORIENTATIONTYPE_TE5CCBE6944D54C661E3CBF5357E56A4643C43BDA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.OrientationType
struct OrientationType_tE5CCBE6944D54C661E3CBF5357E56A4643C43BDA
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.OrientationType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OrientationType_tE5CCBE6944D54C661E3CBF5357E56A4643C43BDA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ORIENTATIONTYPE_TE5CCBE6944D54C661E3CBF5357E56A4643C43BDA_H
#ifndef PIVOTAXIS_TF224492E0294F6A1DE564E7AF37D45A514B52422_H
#define PIVOTAXIS_TF224492E0294F6A1DE564E7AF37D45A514B52422_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.PivotAxis
struct PivotAxis_tF224492E0294F6A1DE564E7AF37D45A514B52422
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.PivotAxis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PivotAxis_tF224492E0294F6A1DE564E7AF37D45A514B52422, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // PIVOTAXIS_TF224492E0294F6A1DE564E7AF37D45A514B52422_H
#ifndef RECOGNITIONCONFIDENCELEVEL_T8273CB281494D38C6F3ABE9AECA73D0D2534D3F9_H
#define RECOGNITIONCONFIDENCELEVEL_T8273CB281494D38C6F3ABE9AECA73D0D2534D3F9_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RecognitionConfidenceLevel
struct RecognitionConfidenceLevel_t8273CB281494D38C6F3ABE9AECA73D0D2534D3F9
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RecognitionConfidenceLevel::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RecognitionConfidenceLevel_t8273CB281494D38C6F3ABE9AECA73D0D2534D3F9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RECOGNITIONCONFIDENCELEVEL_T8273CB281494D38C6F3ABE9AECA73D0D2534D3F9_H
#ifndef ROTATIONCONSTRAINTTYPE_TBD4C6A24AFEAB2076D54CB747018C1D11C8465BC_H
#define ROTATIONCONSTRAINTTYPE_TBD4C6A24AFEAB2076D54CB747018C1D11C8465BC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RotationConstraintType
struct RotationConstraintType_tBD4C6A24AFEAB2076D54CB747018C1D11C8465BC
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RotationConstraintType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RotationConstraintType_tBD4C6A24AFEAB2076D54CB747018C1D11C8465BC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ROTATIONCONSTRAINTTYPE_TBD4C6A24AFEAB2076D54CB747018C1D11C8465BC_H
#ifndef AUDIOLOFISOURCEQUALITY_TB00785F7EC587A460C1D1445614EED5568D03704_H
#define AUDIOLOFISOURCEQUALITY_TB00785F7EC587A460C1D1445614EED5568D03704_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiSourceQuality
struct AudioLoFiSourceQuality_tB00785F7EC587A460C1D1445614EED5568D03704
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiSourceQuality::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AudioLoFiSourceQuality_tB00785F7EC587A460C1D1445614EED5568D03704, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AUDIOLOFISOURCEQUALITY_TB00785F7EC587A460C1D1445614EED5568D03704_H
#ifndef ROTATIONMODEENUM_T8287A81EC80C4944880306632458EB277C95E9D4_H
#define ROTATIONMODEENUM_T8287A81EC80C4944880306632458EB277C95E9D4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler_RotationModeEnum
struct RotationModeEnum_t8287A81EC80C4944880306632458EB277C95E9D4
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler_RotationModeEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RotationModeEnum_t8287A81EC80C4944880306632458EB277C95E9D4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ROTATIONMODEENUM_T8287A81EC80C4944880306632458EB277C95E9D4_H
#ifndef LAYOUTORDER_T00F068619F0B6E55001173F9CC7AE33103DDCFAD_H
#define LAYOUTORDER_T00F068619F0B6E55001173F9CC7AE33103DDCFAD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.LayoutOrder
struct LayoutOrder_t00F068619F0B6E55001173F9CC7AE33103DDCFAD
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.LayoutOrder::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LayoutOrder_t00F068619F0B6E55001173F9CC7AE33103DDCFAD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // LAYOUTORDER_T00F068619F0B6E55001173F9CC7AE33103DDCFAD_H
#ifndef OBJECTCOLLECTIONNODE_T7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF_H
#define OBJECTCOLLECTIONNODE_T7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode
struct ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode::Name
String_t* ___Name_0;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode::Offset
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Offset_1;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode::Radius
float ___Radius_2;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode::Transform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___Transform_3;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Offset_1() { return static_cast<int32_t>(offsetof(ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF, ___Offset_1)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_Offset_1() const { return ___Offset_1; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_Offset_1() { return &___Offset_1; }
inline void set_Offset_1(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___Offset_1 = value;
}
inline static int32_t get_offset_of_Radius_2() { return static_cast<int32_t>(offsetof(ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF, ___Radius_2)); }
inline float get_Radius_2() const { return ___Radius_2; }
inline float* get_address_of_Radius_2() { return &___Radius_2; }
inline void set_Radius_2(float value)
{
___Radius_2 = value;
}
inline static int32_t get_offset_of_Transform_3() { return static_cast<int32_t>(offsetof(ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF, ___Transform_3)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_Transform_3() const { return ___Transform_3; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_Transform_3() { return &___Transform_3; }
inline void set_Transform_3(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___Transform_3 = value;
Il2CppCodeGenWriteBarrier((&___Transform_3), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode
struct ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF_marshaled_pinvoke
{
char* ___Name_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Offset_1;
float ___Radius_2;
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___Transform_3;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode
struct ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF_marshaled_com
{
Il2CppChar* ___Name_0;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Offset_1;
float ___Radius_2;
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___Transform_3;
};
#endif // OBJECTCOLLECTIONNODE_T7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF_H
#ifndef OBJECTORIENTATIONSURFACETYPE_T1F1B1B789A05E2C05572C23A42AC9E6A87AB9763_H
#define OBJECTORIENTATIONSURFACETYPE_T1F1B1B789A05E2C05572C23A42AC9E6A87AB9763_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectOrientationSurfaceType
struct ObjectOrientationSurfaceType_t1F1B1B789A05E2C05572C23A42AC9E6A87AB9763
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectOrientationSurfaceType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ObjectOrientationSurfaceType_t1F1B1B789A05E2C05572C23A42AC9E6A87AB9763, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // OBJECTORIENTATIONSURFACETYPE_T1F1B1B789A05E2C05572C23A42AC9E6A87AB9763_H
#ifndef GRIDDIVISIONS_TEE68332955F986EF4C23C2755C8EB141EC478245_H
#define GRIDDIVISIONS_TEE68332955F986EF4C23C2755C8EB141EC478245_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection_GridDivisions
struct GridDivisions_tEE68332955F986EF4C23C2755C8EB141EC478245
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection_GridDivisions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GridDivisions_tEE68332955F986EF4C23C2755C8EB141EC478245, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GRIDDIVISIONS_TEE68332955F986EF4C23C2755C8EB141EC478245_H
#ifndef CONTROLLERELEMENTENUM_T153D15D9A627B60906B004E019B916EC72BA80E5_H
#define CONTROLLERELEMENTENUM_T153D15D9A627B60906B004E019B916EC72BA80E5_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo_ControllerElementEnum
struct ControllerElementEnum_t153D15D9A627B60906B004E019B916EC72BA80E5
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo_ControllerElementEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ControllerElementEnum_t153D15D9A627B60906B004E019B916EC72BA80E5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONTROLLERELEMENTENUM_T153D15D9A627B60906B004E019B916EC72BA80E5_H
#ifndef SEARCHSCOPES_T1DFB3A9C1B771C6030E9BB614B958E6A00868019_H
#define SEARCHSCOPES_T1DFB3A9C1B771C6030E9BB614B958E6A00868019_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior_SearchScopes
struct SearchScopes_t1DFB3A9C1B771C6030E9BB614B958E6A00868019
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior_SearchScopes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SearchScopes_t1DFB3A9C1B771C6030E9BB614B958E6A00868019, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SEARCHSCOPES_T1DFB3A9C1B771C6030E9BB614B958E6A00868019_H
#ifndef INTERACTABLESTATEENUM_T9C4895115275AEF8182AD1443925E17328956643_H
#define INTERACTABLESTATEENUM_T9C4895115275AEF8182AD1443925E17328956643_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates_InteractableStateEnum
struct InteractableStateEnum_t9C4895115275AEF8182AD1443925E17328956643
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates_InteractableStateEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InteractableStateEnum_t9C4895115275AEF8182AD1443925E17328956643, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLESTATEENUM_T9C4895115275AEF8182AD1443925E17328956643_H
#ifndef INTERACTABLECOLORCHILDRENTHEME_T987A34AD020EE63E107F1D281E26C8208ED0E446_H
#define INTERACTABLECOLORCHILDRENTHEME_T987A34AD020EE63E107F1D281E26C8208ED0E446_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme
struct InteractableColorChildrenTheme_t987A34AD020EE63E107F1D281E26C8208ED0E446 : public InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme_BlocksAndRenderer> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorChildrenTheme::propertyBlocks
List_1_t896A81C05C61C32CD6CA43CE3FB72547915F2AE3 * ___propertyBlocks_15;
public:
inline static int32_t get_offset_of_propertyBlocks_15() { return static_cast<int32_t>(offsetof(InteractableColorChildrenTheme_t987A34AD020EE63E107F1D281E26C8208ED0E446, ___propertyBlocks_15)); }
inline List_1_t896A81C05C61C32CD6CA43CE3FB72547915F2AE3 * get_propertyBlocks_15() const { return ___propertyBlocks_15; }
inline List_1_t896A81C05C61C32CD6CA43CE3FB72547915F2AE3 ** get_address_of_propertyBlocks_15() { return &___propertyBlocks_15; }
inline void set_propertyBlocks_15(List_1_t896A81C05C61C32CD6CA43CE3FB72547915F2AE3 * value)
{
___propertyBlocks_15 = value;
Il2CppCodeGenWriteBarrier((&___propertyBlocks_15), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLECOLORCHILDRENTHEME_T987A34AD020EE63E107F1D281E26C8208ED0E446_H
#ifndef INTERACTABLECOLORTHEME_TB71F072B3256F6C201BB4CFB73ACD87039DB5165_H
#define INTERACTABLECOLORTHEME_TB71F072B3256F6C201BB4CFB73ACD87039DB5165_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorTheme
struct InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165 : public InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55
{
public:
// UnityEngine.TextMesh Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorTheme::mesh
TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * ___mesh_15;
// UnityEngine.UI.Text Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableColorTheme::text
Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * ___text_16;
public:
inline static int32_t get_offset_of_mesh_15() { return static_cast<int32_t>(offsetof(InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165, ___mesh_15)); }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * get_mesh_15() const { return ___mesh_15; }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A ** get_address_of_mesh_15() { return &___mesh_15; }
inline void set_mesh_15(TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * value)
{
___mesh_15 = value;
Il2CppCodeGenWriteBarrier((&___mesh_15), value);
}
inline static int32_t get_offset_of_text_16() { return static_cast<int32_t>(offsetof(InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165, ___text_16)); }
inline Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * get_text_16() const { return ___text_16; }
inline Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 ** get_address_of_text_16() { return &___text_16; }
inline void set_text_16(Text_tE9317B57477F4B50AA4C16F460DE6F82DAD6D030 * value)
{
___text_16 = value;
Il2CppCodeGenWriteBarrier((&___text_16), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLECOLORTHEME_TB71F072B3256F6C201BB4CFB73ACD87039DB5165_H
#ifndef INTERACTABLEOFFSETTHEME_T899D4E3714791889A8C100EE1A6EF43129367EA3_H
#define INTERACTABLEOFFSETTHEME_T899D4E3714791889A8C100EE1A6EF43129367EA3_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableOffsetTheme
struct InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3 : public InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9
{
public:
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableOffsetTheme::startPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___startPosition_10;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableOffsetTheme::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_11;
public:
inline static int32_t get_offset_of_startPosition_10() { return static_cast<int32_t>(offsetof(InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3, ___startPosition_10)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_startPosition_10() const { return ___startPosition_10; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_startPosition_10() { return &___startPosition_10; }
inline void set_startPosition_10(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___startPosition_10 = value;
}
inline static int32_t get_offset_of_hostTransform_11() { return static_cast<int32_t>(offsetof(InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3, ___hostTransform_11)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_11() const { return ___hostTransform_11; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_11() { return &___hostTransform_11; }
inline void set_hostTransform_11(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_11 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEOFFSETTHEME_T899D4E3714791889A8C100EE1A6EF43129367EA3_H
#ifndef INTERACTABLETHEMEPROPERTYVALUE_T6B83A1B6053D794B6890A79089C596DE5A4D09F8_H
#define INTERACTABLETHEMEPROPERTYVALUE_T6B83A1B6053D794B6890A79089C596DE5A4D09F8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue
struct InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Name
String_t* ___Name_0;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::String
String_t* ___String_1;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Bool
bool ___Bool_2;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Int
int32_t ___Int_3;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Float
float ___Float_4;
// UnityEngine.Texture Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Texture
Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * ___Texture_5;
// UnityEngine.Material Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Material
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * ___Material_6;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::GameObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___GameObject_7;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Vector2
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Vector2_8;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Vector3
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___Vector3_9;
// UnityEngine.Vector4 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Vector4
Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E ___Vector4_10;
// UnityEngine.Color Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Color
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___Color_11;
// UnityEngine.Quaternion Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Quaternion
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___Quaternion_12;
// UnityEngine.AudioClip Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::AudioClip
AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * ___AudioClip_13;
// UnityEngine.Animation Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue::Animation
Animation_tCFC171459D159DDEC6500B55543A76219D49BB9C * ___Animation_14;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_String_1() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___String_1)); }
inline String_t* get_String_1() const { return ___String_1; }
inline String_t** get_address_of_String_1() { return &___String_1; }
inline void set_String_1(String_t* value)
{
___String_1 = value;
Il2CppCodeGenWriteBarrier((&___String_1), value);
}
inline static int32_t get_offset_of_Bool_2() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Bool_2)); }
inline bool get_Bool_2() const { return ___Bool_2; }
inline bool* get_address_of_Bool_2() { return &___Bool_2; }
inline void set_Bool_2(bool value)
{
___Bool_2 = value;
}
inline static int32_t get_offset_of_Int_3() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Int_3)); }
inline int32_t get_Int_3() const { return ___Int_3; }
inline int32_t* get_address_of_Int_3() { return &___Int_3; }
inline void set_Int_3(int32_t value)
{
___Int_3 = value;
}
inline static int32_t get_offset_of_Float_4() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Float_4)); }
inline float get_Float_4() const { return ___Float_4; }
inline float* get_address_of_Float_4() { return &___Float_4; }
inline void set_Float_4(float value)
{
___Float_4 = value;
}
inline static int32_t get_offset_of_Texture_5() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Texture_5)); }
inline Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * get_Texture_5() const { return ___Texture_5; }
inline Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 ** get_address_of_Texture_5() { return &___Texture_5; }
inline void set_Texture_5(Texture_t387FE83BB848001FD06B14707AEA6D5A0F6A95F4 * value)
{
___Texture_5 = value;
Il2CppCodeGenWriteBarrier((&___Texture_5), value);
}
inline static int32_t get_offset_of_Material_6() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Material_6)); }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * get_Material_6() const { return ___Material_6; }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 ** get_address_of_Material_6() { return &___Material_6; }
inline void set_Material_6(Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * value)
{
___Material_6 = value;
Il2CppCodeGenWriteBarrier((&___Material_6), value);
}
inline static int32_t get_offset_of_GameObject_7() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___GameObject_7)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_GameObject_7() const { return ___GameObject_7; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_GameObject_7() { return &___GameObject_7; }
inline void set_GameObject_7(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___GameObject_7 = value;
Il2CppCodeGenWriteBarrier((&___GameObject_7), value);
}
inline static int32_t get_offset_of_Vector2_8() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Vector2_8)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_Vector2_8() const { return ___Vector2_8; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_Vector2_8() { return &___Vector2_8; }
inline void set_Vector2_8(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___Vector2_8 = value;
}
inline static int32_t get_offset_of_Vector3_9() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Vector3_9)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_Vector3_9() const { return ___Vector3_9; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_Vector3_9() { return &___Vector3_9; }
inline void set_Vector3_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___Vector3_9 = value;
}
inline static int32_t get_offset_of_Vector4_10() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Vector4_10)); }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E get_Vector4_10() const { return ___Vector4_10; }
inline Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E * get_address_of_Vector4_10() { return &___Vector4_10; }
inline void set_Vector4_10(Vector4_tD148D6428C3F8FF6CD998F82090113C2B490B76E value)
{
___Vector4_10 = value;
}
inline static int32_t get_offset_of_Color_11() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Color_11)); }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_Color_11() const { return ___Color_11; }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_Color_11() { return &___Color_11; }
inline void set_Color_11(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value)
{
___Color_11 = value;
}
inline static int32_t get_offset_of_Quaternion_12() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Quaternion_12)); }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 get_Quaternion_12() const { return ___Quaternion_12; }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * get_address_of_Quaternion_12() { return &___Quaternion_12; }
inline void set_Quaternion_12(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 value)
{
___Quaternion_12 = value;
}
inline static int32_t get_offset_of_AudioClip_13() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___AudioClip_13)); }
inline AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * get_AudioClip_13() const { return ___AudioClip_13; }
inline AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 ** get_address_of_AudioClip_13() { return &___AudioClip_13; }
inline void set_AudioClip_13(AudioClip_tCC3C35F579203CE2601243585AB3D6953C3BA051 * value)
{
___AudioClip_13 = value;
Il2CppCodeGenWriteBarrier((&___AudioClip_13), value);
}
inline static int32_t get_offset_of_Animation_14() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8, ___Animation_14)); }
inline Animation_tCFC171459D159DDEC6500B55543A76219D49BB9C * get_Animation_14() const { return ___Animation_14; }
inline Animation_tCFC171459D159DDEC6500B55543A76219D49BB9C ** get_address_of_Animation_14() { return &___Animation_14; }
inline void set_Animation_14(Animation_tCFC171459D159DDEC6500B55543A76219D49BB9C * value)
{
___Animation_14 = value;
Il2CppCodeGenWriteBarrier((&___Animation_14), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETHEMEPROPERTYVALUE_T6B83A1B6053D794B6890A79089C596DE5A4D09F8_H
#ifndef INTERACTABLETHEMEPROPERTYVALUETYPES_TC51FBF377DD18DB59EB3062CBAEF0E363257E7F0_H
#define INTERACTABLETHEMEPROPERTYVALUETYPES_TC51FBF377DD18DB59EB3062CBAEF0E363257E7F0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValueTypes
struct InteractableThemePropertyValueTypes_tC51FBF377DD18DB59EB3062CBAEF0E363257E7F0
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValueTypes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InteractableThemePropertyValueTypes_tC51FBF377DD18DB59EB3062CBAEF0E363257E7F0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETHEMEPROPERTYVALUETYPES_TC51FBF377DD18DB59EB3062CBAEF0E363257E7F0_H
#ifndef SHADERPROPERTYTYPE_T8417A7397794F77CAEEFD96137DAB901815A7E94_H
#define SHADERPROPERTYTYPE_T8417A7397794F77CAEEFD96137DAB901815A7E94_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderPropertyType
struct ShaderPropertyType_t8417A7397794F77CAEEFD96137DAB901815A7E94
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderPropertyType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ShaderPropertyType_t8417A7397794F77CAEEFD96137DAB901815A7E94, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SHADERPROPERTYTYPE_T8417A7397794F77CAEEFD96137DAB901815A7E94_H
#ifndef U3CGETALLHANDPOSITIONSU3ED__12_T06CAB90EDEE3F8AF30177582F9B6EEEE828EC951_H
#define U3CGETALLHANDPOSITIONSU3ED__12_T06CAB90EDEE3F8AF30177582F9B6EEEE828EC951_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12
struct U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951 : public RuntimeObject
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12::<>1__state
int32_t ___U3CU3E1__state_0;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12::<>2__current
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___U3CU3E2__current_1;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12::<>l__initialThreadId
int32_t ___U3CU3El__initialThreadId_2;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12::<>4__this
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * ___U3CU3E4__this_3;
// System.Collections.Generic.Dictionary`2_KeyCollection_Enumerator<System.UInt32,System.Boolean> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper_<GetAllHandPositions>d__12::<>7__wrap1
Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF ___U3CU3E7__wrap1_4;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951, ___U3CU3E2__current_1)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___U3CU3E2__current_1 = value;
}
inline static int32_t get_offset_of_U3CU3El__initialThreadId_2() { return static_cast<int32_t>(offsetof(U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951, ___U3CU3El__initialThreadId_2)); }
inline int32_t get_U3CU3El__initialThreadId_2() const { return ___U3CU3El__initialThreadId_2; }
inline int32_t* get_address_of_U3CU3El__initialThreadId_2() { return &___U3CU3El__initialThreadId_2; }
inline void set_U3CU3El__initialThreadId_2(int32_t value)
{
___U3CU3El__initialThreadId_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951, ___U3CU3E4__this_3)); }
inline GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((&___U3CU3E4__this_3), value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_4() { return static_cast<int32_t>(offsetof(U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951, ___U3CU3E7__wrap1_4)); }
inline Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF get_U3CU3E7__wrap1_4() const { return ___U3CU3E7__wrap1_4; }
inline Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF * get_address_of_U3CU3E7__wrap1_4() { return &___U3CU3E7__wrap1_4; }
inline void set_U3CU3E7__wrap1_4(Enumerator_t12FC4046BEB26F686D773FB3AA2CFFE110908CBF value)
{
___U3CU3E7__wrap1_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CGETALLHANDPOSITIONSU3ED__12_T06CAB90EDEE3F8AF30177582F9B6EEEE828EC951_H
#ifndef HIGHLIGHTEDMATERIALSTYLE_TA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF_H
#define HIGHLIGHTEDMATERIALSTYLE_TA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight_HighlightedMaterialStyle
struct HighlightedMaterialStyle_tA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight_HighlightedMaterialStyle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HighlightedMaterialStyle_tA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // HIGHLIGHTEDMATERIALSTYLE_TA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF_H
#ifndef HANDMOVEMENTTYPE_T4A216DFC0C4FA1413B6324AC4A4600AA13F96369_H
#define HANDMOVEMENTTYPE_T4A216DFC0C4FA1413B6324AC4A4600AA13F96369_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_HandMovementType
struct HandMovementType_t4A216DFC0C4FA1413B6324AC4A4600AA13F96369
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_HandMovementType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HandMovementType_t4A216DFC0C4FA1413B6324AC4A4600AA13F96369, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // HANDMOVEMENTTYPE_T4A216DFC0C4FA1413B6324AC4A4600AA13F96369_H
#ifndef STATE_T1F694D6A91CE9A4A8250C7CEC9484E419DD67741_H
#define STATE_T1F694D6A91CE9A4A8250C7CEC9484E419DD67741_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_State
struct State_t1F694D6A91CE9A4A8250C7CEC9484E419DD67741
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_State::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(State_t1F694D6A91CE9A4A8250C7CEC9484E419DD67741, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STATE_T1F694D6A91CE9A4A8250C7CEC9484E419DD67741_H
#ifndef TWOHANDEDMANIPULATION_TF7971EB1D1545CC8E56B0F047989F14B2E2A0A60_H
#define TWOHANDEDMANIPULATION_TF7971EB1D1545CC8E56B0F047989F14B2E2A0A60_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_TwoHandedManipulation
struct TwoHandedManipulation_tF7971EB1D1545CC8E56B0F047989F14B2E2A0A60
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_TwoHandedManipulation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TwoHandedManipulation_tF7971EB1D1545CC8E56B0F047989F14B2E2A0A60, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TWOHANDEDMANIPULATION_TF7971EB1D1545CC8E56B0F047989F14B2E2A0A60_H
#ifndef MIXEDREALITYDIAGNOSTICSSYSTEM_T2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_H
#define MIXEDREALITYDIAGNOSTICSSYSTEM_T2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem
struct MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498 : public BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB
{
public:
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::diagnosticVisualizationParent
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___diagnosticVisualizationParent_6;
// Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityToolkitVisualProfiler Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::visualProfiler
MixedRealityToolkitVisualProfiler_t91A38407B7D8F3B7FE57F1B3CF034A3532DC76B3 * ___visualProfiler_7;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::showDiagnostics
bool ___showDiagnostics_8;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::showProfiler
bool ___showProfiler_9;
// Microsoft.MixedReality.Toolkit.Core.EventDatum.Diagnostics.DiagnosticsEventData Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::eventData
DiagnosticsEventData_t920F8C9B6732B3D907BEEBCF57C0A844B126B44A * ___eventData_10;
public:
inline static int32_t get_offset_of_diagnosticVisualizationParent_6() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498, ___diagnosticVisualizationParent_6)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_diagnosticVisualizationParent_6() const { return ___diagnosticVisualizationParent_6; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_diagnosticVisualizationParent_6() { return &___diagnosticVisualizationParent_6; }
inline void set_diagnosticVisualizationParent_6(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___diagnosticVisualizationParent_6 = value;
Il2CppCodeGenWriteBarrier((&___diagnosticVisualizationParent_6), value);
}
inline static int32_t get_offset_of_visualProfiler_7() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498, ___visualProfiler_7)); }
inline MixedRealityToolkitVisualProfiler_t91A38407B7D8F3B7FE57F1B3CF034A3532DC76B3 * get_visualProfiler_7() const { return ___visualProfiler_7; }
inline MixedRealityToolkitVisualProfiler_t91A38407B7D8F3B7FE57F1B3CF034A3532DC76B3 ** get_address_of_visualProfiler_7() { return &___visualProfiler_7; }
inline void set_visualProfiler_7(MixedRealityToolkitVisualProfiler_t91A38407B7D8F3B7FE57F1B3CF034A3532DC76B3 * value)
{
___visualProfiler_7 = value;
Il2CppCodeGenWriteBarrier((&___visualProfiler_7), value);
}
inline static int32_t get_offset_of_showDiagnostics_8() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498, ___showDiagnostics_8)); }
inline bool get_showDiagnostics_8() const { return ___showDiagnostics_8; }
inline bool* get_address_of_showDiagnostics_8() { return &___showDiagnostics_8; }
inline void set_showDiagnostics_8(bool value)
{
___showDiagnostics_8 = value;
}
inline static int32_t get_offset_of_showProfiler_9() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498, ___showProfiler_9)); }
inline bool get_showProfiler_9() const { return ___showProfiler_9; }
inline bool* get_address_of_showProfiler_9() { return &___showProfiler_9; }
inline void set_showProfiler_9(bool value)
{
___showProfiler_9 = value;
}
inline static int32_t get_offset_of_eventData_10() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498, ___eventData_10)); }
inline DiagnosticsEventData_t920F8C9B6732B3D907BEEBCF57C0A844B126B44A * get_eventData_10() const { return ___eventData_10; }
inline DiagnosticsEventData_t920F8C9B6732B3D907BEEBCF57C0A844B126B44A ** get_address_of_eventData_10() { return &___eventData_10; }
inline void set_eventData_10(DiagnosticsEventData_t920F8C9B6732B3D907BEEBCF57C0A844B126B44A * value)
{
___eventData_10 = value;
Il2CppCodeGenWriteBarrier((&___eventData_10), value);
}
};
struct MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_StaticFields
{
public:
// UnityEngine.EventSystems.ExecuteEvents_EventFunction`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.Diagnostics.IMixedRealityDiagnosticsHandler> Microsoft.MixedReality.Toolkit.Services.DiagnosticsSystem.MixedRealityDiagnosticsSystem::OnDiagnosticsChanged
EventFunction_1_t4EBC4E8A25334AA6129CFCAD679807FCB26CCC12 * ___OnDiagnosticsChanged_11;
public:
inline static int32_t get_offset_of_OnDiagnosticsChanged_11() { return static_cast<int32_t>(offsetof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_StaticFields, ___OnDiagnosticsChanged_11)); }
inline EventFunction_1_t4EBC4E8A25334AA6129CFCAD679807FCB26CCC12 * get_OnDiagnosticsChanged_11() const { return ___OnDiagnosticsChanged_11; }
inline EventFunction_1_t4EBC4E8A25334AA6129CFCAD679807FCB26CCC12 ** get_address_of_OnDiagnosticsChanged_11() { return &___OnDiagnosticsChanged_11; }
inline void set_OnDiagnosticsChanged_11(EventFunction_1_t4EBC4E8A25334AA6129CFCAD679807FCB26CCC12 * value)
{
___OnDiagnosticsChanged_11 = value;
Il2CppCodeGenWriteBarrier((&___OnDiagnosticsChanged_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MIXEDREALITYDIAGNOSTICSSYSTEM_T2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_H
#ifndef OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#define OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Object::m_CachedPtr
intptr_t ___m_CachedPtr_0;
public:
inline static int32_t get_offset_of_m_CachedPtr_0() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0, ___m_CachedPtr_0)); }
inline intptr_t get_m_CachedPtr_0() const { return ___m_CachedPtr_0; }
inline intptr_t* get_address_of_m_CachedPtr_0() { return &___m_CachedPtr_0; }
inline void set_m_CachedPtr_0(intptr_t value)
{
___m_CachedPtr_0 = value;
}
};
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields
{
public:
// System.Int32 UnityEngine.Object::OffsetOfInstanceIDInCPlusPlusObject
int32_t ___OffsetOfInstanceIDInCPlusPlusObject_1;
public:
inline static int32_t get_offset_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields, ___OffsetOfInstanceIDInCPlusPlusObject_1)); }
inline int32_t get_OffsetOfInstanceIDInCPlusPlusObject_1() const { return ___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline int32_t* get_address_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return &___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline void set_OffsetOfInstanceIDInCPlusPlusObject_1(int32_t value)
{
___OffsetOfInstanceIDInCPlusPlusObject_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
intptr_t ___m_CachedPtr_0;
};
// Native definition for COM marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
intptr_t ___m_CachedPtr_0;
};
#endif // OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifndef MIXEDREALITYINPUTACTION_TB87A712377383583B43FC255F442492403992C96_H
#define MIXEDREALITYINPUTACTION_TB87A712377383583B43FC255F442492403992C96_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction
struct MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96
{
public:
// System.UInt32 Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction::id
uint32_t ___id_1;
// System.String Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction::description
String_t* ___description_2;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.AxisType Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction::axisConstraint
int32_t ___axisConstraint_3;
public:
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96, ___id_1)); }
inline uint32_t get_id_1() const { return ___id_1; }
inline uint32_t* get_address_of_id_1() { return &___id_1; }
inline void set_id_1(uint32_t value)
{
___id_1 = value;
}
inline static int32_t get_offset_of_description_2() { return static_cast<int32_t>(offsetof(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96, ___description_2)); }
inline String_t* get_description_2() const { return ___description_2; }
inline String_t** get_address_of_description_2() { return &___description_2; }
inline void set_description_2(String_t* value)
{
___description_2 = value;
Il2CppCodeGenWriteBarrier((&___description_2), value);
}
inline static int32_t get_offset_of_axisConstraint_3() { return static_cast<int32_t>(offsetof(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96, ___axisConstraint_3)); }
inline int32_t get_axisConstraint_3() const { return ___axisConstraint_3; }
inline int32_t* get_address_of_axisConstraint_3() { return &___axisConstraint_3; }
inline void set_axisConstraint_3(int32_t value)
{
___axisConstraint_3 = value;
}
};
struct MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_StaticFields
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction::<None>k__BackingField
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___U3CNoneU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CNoneU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_StaticFields, ___U3CNoneU3Ek__BackingField_0)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_U3CNoneU3Ek__BackingField_0() const { return ___U3CNoneU3Ek__BackingField_0; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_U3CNoneU3Ek__BackingField_0() { return &___U3CNoneU3Ek__BackingField_0; }
inline void set_U3CNoneU3Ek__BackingField_0(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___U3CNoneU3Ek__BackingField_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction
struct MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_marshaled_pinvoke
{
uint32_t ___id_1;
char* ___description_2;
int32_t ___axisConstraint_3;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction
struct MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_marshaled_com
{
uint32_t ___id_1;
Il2CppChar* ___description_2;
int32_t ___axisConstraint_3;
};
#endif // MIXEDREALITYINPUTACTION_TB87A712377383583B43FC255F442492403992C96_H
#ifndef MIXEDREALITYCONTROLLERINFO_T478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F_H
#define MIXEDREALITYCONTROLLERINFO_T478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo
struct MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F : public RuntimeObject
{
public:
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::ControllerParent
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___ControllerParent_0;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.Handedness Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::Handedness
uint8_t ___Handedness_1;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::home
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___home_2;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::homePressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___homePressed_3;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::homeUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___homeUnpressed_4;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::menu
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___menu_5;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::menuPressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___menuPressed_6;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::menuUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___menuUnpressed_7;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::grasp
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___grasp_8;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::graspPressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___graspPressed_9;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::graspUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___graspUnpressed_10;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickPress
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___thumbstickPress_11;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickPressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickPressed_12;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickUnpressed_13;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickX
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___thumbstickX_14;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickXMin
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickXMin_15;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickXMax
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickXMax_16;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickY
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___thumbstickY_17;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickYMin
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickYMin_18;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::thumbstickYMax
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___thumbstickYMax_19;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::select
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___select_20;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::selectPressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___selectPressed_21;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::selectUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___selectUnpressed_22;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadPress
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___touchpadPress_23;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadPressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadPressed_24;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadUnpressed
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadUnpressed_25;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchX
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___touchpadTouchX_26;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchXMin
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadTouchXMin_27;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchXMax
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadTouchXMax_28;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchY
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___touchpadTouchY_29;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchYMin
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadTouchYMin_30;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchYMax
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___touchpadTouchYMax_31;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::touchpadTouchVisualizer
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___touchpadTouchVisualizer_32;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::pointingPose
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___pointingPose_33;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasGrasped
bool ___wasGrasped_34;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasMenuPressed
bool ___wasMenuPressed_35;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasHomePressed
bool ___wasHomePressed_36;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasThumbstickPressed
bool ___wasThumbstickPressed_37;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasTouchpadPressed
bool ___wasTouchpadPressed_38;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::wasTouchpadTouched
bool ___wasTouchpadTouched_39;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::lastThumbstickPosition
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lastThumbstickPosition_40;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::lastTouchpadPosition
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___lastTouchpadPosition_41;
// System.Double Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerInfo::lastSelectPressedAmount
double ___lastSelectPressedAmount_42;
public:
inline static int32_t get_offset_of_ControllerParent_0() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___ControllerParent_0)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_ControllerParent_0() const { return ___ControllerParent_0; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_ControllerParent_0() { return &___ControllerParent_0; }
inline void set_ControllerParent_0(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___ControllerParent_0 = value;
Il2CppCodeGenWriteBarrier((&___ControllerParent_0), value);
}
inline static int32_t get_offset_of_Handedness_1() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___Handedness_1)); }
inline uint8_t get_Handedness_1() const { return ___Handedness_1; }
inline uint8_t* get_address_of_Handedness_1() { return &___Handedness_1; }
inline void set_Handedness_1(uint8_t value)
{
___Handedness_1 = value;
}
inline static int32_t get_offset_of_home_2() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___home_2)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_home_2() const { return ___home_2; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_home_2() { return &___home_2; }
inline void set_home_2(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___home_2 = value;
Il2CppCodeGenWriteBarrier((&___home_2), value);
}
inline static int32_t get_offset_of_homePressed_3() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___homePressed_3)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_homePressed_3() const { return ___homePressed_3; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_homePressed_3() { return &___homePressed_3; }
inline void set_homePressed_3(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___homePressed_3 = value;
Il2CppCodeGenWriteBarrier((&___homePressed_3), value);
}
inline static int32_t get_offset_of_homeUnpressed_4() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___homeUnpressed_4)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_homeUnpressed_4() const { return ___homeUnpressed_4; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_homeUnpressed_4() { return &___homeUnpressed_4; }
inline void set_homeUnpressed_4(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___homeUnpressed_4 = value;
Il2CppCodeGenWriteBarrier((&___homeUnpressed_4), value);
}
inline static int32_t get_offset_of_menu_5() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___menu_5)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_menu_5() const { return ___menu_5; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_menu_5() { return &___menu_5; }
inline void set_menu_5(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___menu_5 = value;
Il2CppCodeGenWriteBarrier((&___menu_5), value);
}
inline static int32_t get_offset_of_menuPressed_6() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___menuPressed_6)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_menuPressed_6() const { return ___menuPressed_6; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_menuPressed_6() { return &___menuPressed_6; }
inline void set_menuPressed_6(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___menuPressed_6 = value;
Il2CppCodeGenWriteBarrier((&___menuPressed_6), value);
}
inline static int32_t get_offset_of_menuUnpressed_7() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___menuUnpressed_7)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_menuUnpressed_7() const { return ___menuUnpressed_7; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_menuUnpressed_7() { return &___menuUnpressed_7; }
inline void set_menuUnpressed_7(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___menuUnpressed_7 = value;
Il2CppCodeGenWriteBarrier((&___menuUnpressed_7), value);
}
inline static int32_t get_offset_of_grasp_8() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___grasp_8)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_grasp_8() const { return ___grasp_8; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_grasp_8() { return &___grasp_8; }
inline void set_grasp_8(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___grasp_8 = value;
Il2CppCodeGenWriteBarrier((&___grasp_8), value);
}
inline static int32_t get_offset_of_graspPressed_9() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___graspPressed_9)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_graspPressed_9() const { return ___graspPressed_9; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_graspPressed_9() { return &___graspPressed_9; }
inline void set_graspPressed_9(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___graspPressed_9 = value;
Il2CppCodeGenWriteBarrier((&___graspPressed_9), value);
}
inline static int32_t get_offset_of_graspUnpressed_10() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___graspUnpressed_10)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_graspUnpressed_10() const { return ___graspUnpressed_10; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_graspUnpressed_10() { return &___graspUnpressed_10; }
inline void set_graspUnpressed_10(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___graspUnpressed_10 = value;
Il2CppCodeGenWriteBarrier((&___graspUnpressed_10), value);
}
inline static int32_t get_offset_of_thumbstickPress_11() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickPress_11)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_thumbstickPress_11() const { return ___thumbstickPress_11; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_thumbstickPress_11() { return &___thumbstickPress_11; }
inline void set_thumbstickPress_11(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___thumbstickPress_11 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickPress_11), value);
}
inline static int32_t get_offset_of_thumbstickPressed_12() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickPressed_12)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickPressed_12() const { return ___thumbstickPressed_12; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickPressed_12() { return &___thumbstickPressed_12; }
inline void set_thumbstickPressed_12(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickPressed_12 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickPressed_12), value);
}
inline static int32_t get_offset_of_thumbstickUnpressed_13() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickUnpressed_13)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickUnpressed_13() const { return ___thumbstickUnpressed_13; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickUnpressed_13() { return &___thumbstickUnpressed_13; }
inline void set_thumbstickUnpressed_13(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickUnpressed_13 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickUnpressed_13), value);
}
inline static int32_t get_offset_of_thumbstickX_14() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickX_14)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_thumbstickX_14() const { return ___thumbstickX_14; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_thumbstickX_14() { return &___thumbstickX_14; }
inline void set_thumbstickX_14(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___thumbstickX_14 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickX_14), value);
}
inline static int32_t get_offset_of_thumbstickXMin_15() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickXMin_15)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickXMin_15() const { return ___thumbstickXMin_15; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickXMin_15() { return &___thumbstickXMin_15; }
inline void set_thumbstickXMin_15(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickXMin_15 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickXMin_15), value);
}
inline static int32_t get_offset_of_thumbstickXMax_16() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickXMax_16)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickXMax_16() const { return ___thumbstickXMax_16; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickXMax_16() { return &___thumbstickXMax_16; }
inline void set_thumbstickXMax_16(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickXMax_16 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickXMax_16), value);
}
inline static int32_t get_offset_of_thumbstickY_17() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickY_17)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_thumbstickY_17() const { return ___thumbstickY_17; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_thumbstickY_17() { return &___thumbstickY_17; }
inline void set_thumbstickY_17(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___thumbstickY_17 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickY_17), value);
}
inline static int32_t get_offset_of_thumbstickYMin_18() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickYMin_18)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickYMin_18() const { return ___thumbstickYMin_18; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickYMin_18() { return &___thumbstickYMin_18; }
inline void set_thumbstickYMin_18(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickYMin_18 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickYMin_18), value);
}
inline static int32_t get_offset_of_thumbstickYMax_19() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___thumbstickYMax_19)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_thumbstickYMax_19() const { return ___thumbstickYMax_19; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_thumbstickYMax_19() { return &___thumbstickYMax_19; }
inline void set_thumbstickYMax_19(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___thumbstickYMax_19 = value;
Il2CppCodeGenWriteBarrier((&___thumbstickYMax_19), value);
}
inline static int32_t get_offset_of_select_20() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___select_20)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_select_20() const { return ___select_20; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_select_20() { return &___select_20; }
inline void set_select_20(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___select_20 = value;
Il2CppCodeGenWriteBarrier((&___select_20), value);
}
inline static int32_t get_offset_of_selectPressed_21() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___selectPressed_21)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_selectPressed_21() const { return ___selectPressed_21; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_selectPressed_21() { return &___selectPressed_21; }
inline void set_selectPressed_21(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___selectPressed_21 = value;
Il2CppCodeGenWriteBarrier((&___selectPressed_21), value);
}
inline static int32_t get_offset_of_selectUnpressed_22() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___selectUnpressed_22)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_selectUnpressed_22() const { return ___selectUnpressed_22; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_selectUnpressed_22() { return &___selectUnpressed_22; }
inline void set_selectUnpressed_22(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___selectUnpressed_22 = value;
Il2CppCodeGenWriteBarrier((&___selectUnpressed_22), value);
}
inline static int32_t get_offset_of_touchpadPress_23() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadPress_23)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_touchpadPress_23() const { return ___touchpadPress_23; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_touchpadPress_23() { return &___touchpadPress_23; }
inline void set_touchpadPress_23(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___touchpadPress_23 = value;
Il2CppCodeGenWriteBarrier((&___touchpadPress_23), value);
}
inline static int32_t get_offset_of_touchpadPressed_24() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadPressed_24)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadPressed_24() const { return ___touchpadPressed_24; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadPressed_24() { return &___touchpadPressed_24; }
inline void set_touchpadPressed_24(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadPressed_24 = value;
Il2CppCodeGenWriteBarrier((&___touchpadPressed_24), value);
}
inline static int32_t get_offset_of_touchpadUnpressed_25() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadUnpressed_25)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadUnpressed_25() const { return ___touchpadUnpressed_25; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadUnpressed_25() { return &___touchpadUnpressed_25; }
inline void set_touchpadUnpressed_25(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadUnpressed_25 = value;
Il2CppCodeGenWriteBarrier((&___touchpadUnpressed_25), value);
}
inline static int32_t get_offset_of_touchpadTouchX_26() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchX_26)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_touchpadTouchX_26() const { return ___touchpadTouchX_26; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_touchpadTouchX_26() { return &___touchpadTouchX_26; }
inline void set_touchpadTouchX_26(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___touchpadTouchX_26 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchX_26), value);
}
inline static int32_t get_offset_of_touchpadTouchXMin_27() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchXMin_27)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadTouchXMin_27() const { return ___touchpadTouchXMin_27; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadTouchXMin_27() { return &___touchpadTouchXMin_27; }
inline void set_touchpadTouchXMin_27(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadTouchXMin_27 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchXMin_27), value);
}
inline static int32_t get_offset_of_touchpadTouchXMax_28() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchXMax_28)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadTouchXMax_28() const { return ___touchpadTouchXMax_28; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadTouchXMax_28() { return &___touchpadTouchXMax_28; }
inline void set_touchpadTouchXMax_28(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadTouchXMax_28 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchXMax_28), value);
}
inline static int32_t get_offset_of_touchpadTouchY_29() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchY_29)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_touchpadTouchY_29() const { return ___touchpadTouchY_29; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_touchpadTouchY_29() { return &___touchpadTouchY_29; }
inline void set_touchpadTouchY_29(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___touchpadTouchY_29 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchY_29), value);
}
inline static int32_t get_offset_of_touchpadTouchYMin_30() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchYMin_30)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadTouchYMin_30() const { return ___touchpadTouchYMin_30; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadTouchYMin_30() { return &___touchpadTouchYMin_30; }
inline void set_touchpadTouchYMin_30(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadTouchYMin_30 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchYMin_30), value);
}
inline static int32_t get_offset_of_touchpadTouchYMax_31() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchYMax_31)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_touchpadTouchYMax_31() const { return ___touchpadTouchYMax_31; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_touchpadTouchYMax_31() { return &___touchpadTouchYMax_31; }
inline void set_touchpadTouchYMax_31(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___touchpadTouchYMax_31 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchYMax_31), value);
}
inline static int32_t get_offset_of_touchpadTouchVisualizer_32() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___touchpadTouchVisualizer_32)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_touchpadTouchVisualizer_32() const { return ___touchpadTouchVisualizer_32; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_touchpadTouchVisualizer_32() { return &___touchpadTouchVisualizer_32; }
inline void set_touchpadTouchVisualizer_32(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___touchpadTouchVisualizer_32 = value;
Il2CppCodeGenWriteBarrier((&___touchpadTouchVisualizer_32), value);
}
inline static int32_t get_offset_of_pointingPose_33() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___pointingPose_33)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_pointingPose_33() const { return ___pointingPose_33; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_pointingPose_33() { return &___pointingPose_33; }
inline void set_pointingPose_33(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___pointingPose_33 = value;
Il2CppCodeGenWriteBarrier((&___pointingPose_33), value);
}
inline static int32_t get_offset_of_wasGrasped_34() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasGrasped_34)); }
inline bool get_wasGrasped_34() const { return ___wasGrasped_34; }
inline bool* get_address_of_wasGrasped_34() { return &___wasGrasped_34; }
inline void set_wasGrasped_34(bool value)
{
___wasGrasped_34 = value;
}
inline static int32_t get_offset_of_wasMenuPressed_35() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasMenuPressed_35)); }
inline bool get_wasMenuPressed_35() const { return ___wasMenuPressed_35; }
inline bool* get_address_of_wasMenuPressed_35() { return &___wasMenuPressed_35; }
inline void set_wasMenuPressed_35(bool value)
{
___wasMenuPressed_35 = value;
}
inline static int32_t get_offset_of_wasHomePressed_36() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasHomePressed_36)); }
inline bool get_wasHomePressed_36() const { return ___wasHomePressed_36; }
inline bool* get_address_of_wasHomePressed_36() { return &___wasHomePressed_36; }
inline void set_wasHomePressed_36(bool value)
{
___wasHomePressed_36 = value;
}
inline static int32_t get_offset_of_wasThumbstickPressed_37() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasThumbstickPressed_37)); }
inline bool get_wasThumbstickPressed_37() const { return ___wasThumbstickPressed_37; }
inline bool* get_address_of_wasThumbstickPressed_37() { return &___wasThumbstickPressed_37; }
inline void set_wasThumbstickPressed_37(bool value)
{
___wasThumbstickPressed_37 = value;
}
inline static int32_t get_offset_of_wasTouchpadPressed_38() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasTouchpadPressed_38)); }
inline bool get_wasTouchpadPressed_38() const { return ___wasTouchpadPressed_38; }
inline bool* get_address_of_wasTouchpadPressed_38() { return &___wasTouchpadPressed_38; }
inline void set_wasTouchpadPressed_38(bool value)
{
___wasTouchpadPressed_38 = value;
}
inline static int32_t get_offset_of_wasTouchpadTouched_39() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___wasTouchpadTouched_39)); }
inline bool get_wasTouchpadTouched_39() const { return ___wasTouchpadTouched_39; }
inline bool* get_address_of_wasTouchpadTouched_39() { return &___wasTouchpadTouched_39; }
inline void set_wasTouchpadTouched_39(bool value)
{
___wasTouchpadTouched_39 = value;
}
inline static int32_t get_offset_of_lastThumbstickPosition_40() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___lastThumbstickPosition_40)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_lastThumbstickPosition_40() const { return ___lastThumbstickPosition_40; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_lastThumbstickPosition_40() { return &___lastThumbstickPosition_40; }
inline void set_lastThumbstickPosition_40(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___lastThumbstickPosition_40 = value;
}
inline static int32_t get_offset_of_lastTouchpadPosition_41() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___lastTouchpadPosition_41)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_lastTouchpadPosition_41() const { return ___lastTouchpadPosition_41; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_lastTouchpadPosition_41() { return &___lastTouchpadPosition_41; }
inline void set_lastTouchpadPosition_41(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___lastTouchpadPosition_41 = value;
}
inline static int32_t get_offset_of_lastSelectPressedAmount_42() { return static_cast<int32_t>(offsetof(MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F, ___lastSelectPressedAmount_42)); }
inline double get_lastSelectPressedAmount_42() const { return ___lastSelectPressedAmount_42; }
inline double* get_address_of_lastSelectPressedAmount_42() { return &___lastSelectPressedAmount_42; }
inline void set_lastSelectPressedAmount_42(double value)
{
___lastSelectPressedAmount_42 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MIXEDREALITYCONTROLLERINFO_T478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F_H
#ifndef INTERACTABLETHEMEPROPERTY_TBB810FC571AEA9F441C8E00CD563A43A82031767_H
#define INTERACTABLETHEMEPROPERTY_TBB810FC571AEA9F441C8E00CD563A43A82031767_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty
struct InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767 : public RuntimeObject
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::Name
String_t* ___Name_0;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValueTypes Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::Type
int32_t ___Type_1;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::Values
List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * ___Values_2;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::StartValue
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * ___StartValue_3;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::PropId
int32_t ___PropId_4;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::ShaderOptions
List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * ___ShaderOptions_5;
// System.Collections.Generic.List`1<System.String> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::ShaderOptionNames
List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * ___ShaderOptionNames_6;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::Default
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * ___Default_7;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeProperty::ShaderName
String_t* ___ShaderName_8;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___Type_1)); }
inline int32_t get_Type_1() const { return ___Type_1; }
inline int32_t* get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(int32_t value)
{
___Type_1 = value;
}
inline static int32_t get_offset_of_Values_2() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___Values_2)); }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * get_Values_2() const { return ___Values_2; }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 ** get_address_of_Values_2() { return &___Values_2; }
inline void set_Values_2(List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * value)
{
___Values_2 = value;
Il2CppCodeGenWriteBarrier((&___Values_2), value);
}
inline static int32_t get_offset_of_StartValue_3() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___StartValue_3)); }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * get_StartValue_3() const { return ___StartValue_3; }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 ** get_address_of_StartValue_3() { return &___StartValue_3; }
inline void set_StartValue_3(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * value)
{
___StartValue_3 = value;
Il2CppCodeGenWriteBarrier((&___StartValue_3), value);
}
inline static int32_t get_offset_of_PropId_4() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___PropId_4)); }
inline int32_t get_PropId_4() const { return ___PropId_4; }
inline int32_t* get_address_of_PropId_4() { return &___PropId_4; }
inline void set_PropId_4(int32_t value)
{
___PropId_4 = value;
}
inline static int32_t get_offset_of_ShaderOptions_5() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___ShaderOptions_5)); }
inline List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * get_ShaderOptions_5() const { return ___ShaderOptions_5; }
inline List_1_t008453D2710ACB7AEBE409240C73011E360EF285 ** get_address_of_ShaderOptions_5() { return &___ShaderOptions_5; }
inline void set_ShaderOptions_5(List_1_t008453D2710ACB7AEBE409240C73011E360EF285 * value)
{
___ShaderOptions_5 = value;
Il2CppCodeGenWriteBarrier((&___ShaderOptions_5), value);
}
inline static int32_t get_offset_of_ShaderOptionNames_6() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___ShaderOptionNames_6)); }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * get_ShaderOptionNames_6() const { return ___ShaderOptionNames_6; }
inline List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 ** get_address_of_ShaderOptionNames_6() { return &___ShaderOptionNames_6; }
inline void set_ShaderOptionNames_6(List_1_tE8032E48C661C350FF9550E9063D595C0AB25CD3 * value)
{
___ShaderOptionNames_6 = value;
Il2CppCodeGenWriteBarrier((&___ShaderOptionNames_6), value);
}
inline static int32_t get_offset_of_Default_7() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___Default_7)); }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * get_Default_7() const { return ___Default_7; }
inline InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 ** get_address_of_Default_7() { return &___Default_7; }
inline void set_Default_7(InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8 * value)
{
___Default_7 = value;
Il2CppCodeGenWriteBarrier((&___Default_7), value);
}
inline static int32_t get_offset_of_ShaderName_8() { return static_cast<int32_t>(offsetof(InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767, ___ShaderName_8)); }
inline String_t* get_ShaderName_8() const { return ___ShaderName_8; }
inline String_t** get_address_of_ShaderName_8() { return &___ShaderName_8; }
inline void set_ShaderName_8(String_t* value)
{
___ShaderName_8 = value;
Il2CppCodeGenWriteBarrier((&___ShaderName_8), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETHEMEPROPERTY_TBB810FC571AEA9F441C8E00CD563A43A82031767_H
#ifndef SCALEOFFSETCOLORTHEME_T4B481546AA8CBBE11351902BC56BDF1306ADE5A3_H
#define SCALEOFFSETCOLORTHEME_T4B481546AA8CBBE11351902BC56BDF1306ADE5A3_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ScaleOffsetColorTheme
struct ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3 : public InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165
{
public:
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ScaleOffsetColorTheme::startPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___startPosition_17;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ScaleOffsetColorTheme::startScale
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___startScale_18;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ScaleOffsetColorTheme::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_19;
public:
inline static int32_t get_offset_of_startPosition_17() { return static_cast<int32_t>(offsetof(ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3, ___startPosition_17)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_startPosition_17() const { return ___startPosition_17; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_startPosition_17() { return &___startPosition_17; }
inline void set_startPosition_17(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___startPosition_17 = value;
}
inline static int32_t get_offset_of_startScale_18() { return static_cast<int32_t>(offsetof(ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3, ___startScale_18)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_startScale_18() const { return ___startScale_18; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_startScale_18() { return &___startScale_18; }
inline void set_startScale_18(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___startScale_18 = value;
}
inline static int32_t get_offset_of_hostTransform_19() { return static_cast<int32_t>(offsetof(ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3, ___hostTransform_19)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_19() const { return ___hostTransform_19; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_19() { return &___hostTransform_19; }
inline void set_hostTransform_19(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_19 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_19), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCALEOFFSETCOLORTHEME_T4B481546AA8CBBE11351902BC56BDF1306ADE5A3_H
#ifndef SHADERPROPERTIES_T30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_H
#define SHADERPROPERTIES_T30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties
struct ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties::Name
String_t* ___Name_0;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderPropertyType Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties::Type
int32_t ___Type_1;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties::Range
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Range_2;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((&___Name_0), value);
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A, ___Type_1)); }
inline int32_t get_Type_1() const { return ___Type_1; }
inline int32_t* get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(int32_t value)
{
___Type_1 = value;
}
inline static int32_t get_offset_of_Range_2() { return static_cast<int32_t>(offsetof(ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A, ___Range_2)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_Range_2() const { return ___Range_2; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_Range_2() { return &___Range_2; }
inline void set_Range_2(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___Range_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties
struct ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_pinvoke
{
char* ___Name_0;
int32_t ___Type_1;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Range_2;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ShaderProperties
struct ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_com
{
Il2CppChar* ___Name_0;
int32_t ___Type_1;
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___Range_2;
};
#endif // SHADERPROPERTIES_T30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_H
#ifndef MIXEDREALITYBOUNDARYSYSTEM_TABC4B4CC95DD9BB32B8D9A94BC0163672395850D_H
#define MIXEDREALITYBOUNDARYSYSTEM_TABC4B4CC95DD9BB32B8D9A94BC0163672395850D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem
struct MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D : public BaseEventSystem_t6619DD7F44699242EDC2CC914B0C7AC071B75CEB
{
public:
// Microsoft.MixedReality.Toolkit.Core.EventDatum.Boundary.BoundaryEventData Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::boundaryEventData
BoundaryEventData_t5DDE2CD200A1E4BC0941E4B2D78C72087E2BDA81 * ___boundaryEventData_6;
// System.UInt32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<SourceId>k__BackingField
uint32_t ___U3CSourceIdU3Ek__BackingField_8;
// System.String Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<SourceName>k__BackingField
String_t* ___U3CSourceNameU3Ek__BackingField_9;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::boundaryVisualizationParent
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___boundaryVisualizationParent_12;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::ignoreRaycastLayerValue
int32_t ___ignoreRaycastLayerValue_13;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.ExperienceScale Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<Scale>k__BackingField
int32_t ___U3CScaleU3Ek__BackingField_14;
// System.Single Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<BoundaryHeight>k__BackingField
float ___U3CBoundaryHeightU3Ek__BackingField_15;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::showFloor
bool ___showFloor_16;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::showPlayArea
bool ___showPlayArea_17;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::floorPhysicsLayer
int32_t ___floorPhysicsLayer_18;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::showTrackedArea
bool ___showTrackedArea_19;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::playAreaPhysicsLayer
int32_t ___playAreaPhysicsLayer_20;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::showBoundaryWalls
bool ___showBoundaryWalls_21;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::trackedAreaPhysicsLayer
int32_t ___trackedAreaPhysicsLayer_22;
// System.Boolean Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::showCeiling
bool ___showCeiling_23;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::boundaryWallsPhysicsLayer
int32_t ___boundaryWallsPhysicsLayer_24;
// System.Int32 Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::ceilingPhysicsLayer
int32_t ___ceilingPhysicsLayer_25;
// Microsoft.MixedReality.Toolkit.Core.Definitions.BoundarySystem.Edge[] Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<Bounds>k__BackingField
EdgeU5BU5D_t926B9B1CB308427D72DA5A551F5BE052E99E0F5C* ___U3CBoundsU3Ek__BackingField_26;
// System.Nullable`1<System.Single> Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::<FloorHeight>k__BackingField
Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777 ___U3CFloorHeightU3Ek__BackingField_27;
// Microsoft.MixedReality.Toolkit.Core.Definitions.BoundarySystem.InscribedRectangle Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::rectangularBounds
InscribedRectangle_t9E33DA766BEACCC7486156F0F060ED24847AEE87 * ___rectangularBounds_28;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::currentFloorObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___currentFloorObject_29;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::currentPlayAreaObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___currentPlayAreaObject_30;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::currentTrackedAreaObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___currentTrackedAreaObject_31;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::currentBoundaryWallObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___currentBoundaryWallObject_32;
// UnityEngine.GameObject Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::currentCeilingObject
GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * ___currentCeilingObject_33;
public:
inline static int32_t get_offset_of_boundaryEventData_6() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___boundaryEventData_6)); }
inline BoundaryEventData_t5DDE2CD200A1E4BC0941E4B2D78C72087E2BDA81 * get_boundaryEventData_6() const { return ___boundaryEventData_6; }
inline BoundaryEventData_t5DDE2CD200A1E4BC0941E4B2D78C72087E2BDA81 ** get_address_of_boundaryEventData_6() { return &___boundaryEventData_6; }
inline void set_boundaryEventData_6(BoundaryEventData_t5DDE2CD200A1E4BC0941E4B2D78C72087E2BDA81 * value)
{
___boundaryEventData_6 = value;
Il2CppCodeGenWriteBarrier((&___boundaryEventData_6), value);
}
inline static int32_t get_offset_of_U3CSourceIdU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CSourceIdU3Ek__BackingField_8)); }
inline uint32_t get_U3CSourceIdU3Ek__BackingField_8() const { return ___U3CSourceIdU3Ek__BackingField_8; }
inline uint32_t* get_address_of_U3CSourceIdU3Ek__BackingField_8() { return &___U3CSourceIdU3Ek__BackingField_8; }
inline void set_U3CSourceIdU3Ek__BackingField_8(uint32_t value)
{
___U3CSourceIdU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CSourceNameU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CSourceNameU3Ek__BackingField_9)); }
inline String_t* get_U3CSourceNameU3Ek__BackingField_9() const { return ___U3CSourceNameU3Ek__BackingField_9; }
inline String_t** get_address_of_U3CSourceNameU3Ek__BackingField_9() { return &___U3CSourceNameU3Ek__BackingField_9; }
inline void set_U3CSourceNameU3Ek__BackingField_9(String_t* value)
{
___U3CSourceNameU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((&___U3CSourceNameU3Ek__BackingField_9), value);
}
inline static int32_t get_offset_of_boundaryVisualizationParent_12() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___boundaryVisualizationParent_12)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_boundaryVisualizationParent_12() const { return ___boundaryVisualizationParent_12; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_boundaryVisualizationParent_12() { return &___boundaryVisualizationParent_12; }
inline void set_boundaryVisualizationParent_12(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___boundaryVisualizationParent_12 = value;
Il2CppCodeGenWriteBarrier((&___boundaryVisualizationParent_12), value);
}
inline static int32_t get_offset_of_ignoreRaycastLayerValue_13() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___ignoreRaycastLayerValue_13)); }
inline int32_t get_ignoreRaycastLayerValue_13() const { return ___ignoreRaycastLayerValue_13; }
inline int32_t* get_address_of_ignoreRaycastLayerValue_13() { return &___ignoreRaycastLayerValue_13; }
inline void set_ignoreRaycastLayerValue_13(int32_t value)
{
___ignoreRaycastLayerValue_13 = value;
}
inline static int32_t get_offset_of_U3CScaleU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CScaleU3Ek__BackingField_14)); }
inline int32_t get_U3CScaleU3Ek__BackingField_14() const { return ___U3CScaleU3Ek__BackingField_14; }
inline int32_t* get_address_of_U3CScaleU3Ek__BackingField_14() { return &___U3CScaleU3Ek__BackingField_14; }
inline void set_U3CScaleU3Ek__BackingField_14(int32_t value)
{
___U3CScaleU3Ek__BackingField_14 = value;
}
inline static int32_t get_offset_of_U3CBoundaryHeightU3Ek__BackingField_15() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CBoundaryHeightU3Ek__BackingField_15)); }
inline float get_U3CBoundaryHeightU3Ek__BackingField_15() const { return ___U3CBoundaryHeightU3Ek__BackingField_15; }
inline float* get_address_of_U3CBoundaryHeightU3Ek__BackingField_15() { return &___U3CBoundaryHeightU3Ek__BackingField_15; }
inline void set_U3CBoundaryHeightU3Ek__BackingField_15(float value)
{
___U3CBoundaryHeightU3Ek__BackingField_15 = value;
}
inline static int32_t get_offset_of_showFloor_16() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___showFloor_16)); }
inline bool get_showFloor_16() const { return ___showFloor_16; }
inline bool* get_address_of_showFloor_16() { return &___showFloor_16; }
inline void set_showFloor_16(bool value)
{
___showFloor_16 = value;
}
inline static int32_t get_offset_of_showPlayArea_17() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___showPlayArea_17)); }
inline bool get_showPlayArea_17() const { return ___showPlayArea_17; }
inline bool* get_address_of_showPlayArea_17() { return &___showPlayArea_17; }
inline void set_showPlayArea_17(bool value)
{
___showPlayArea_17 = value;
}
inline static int32_t get_offset_of_floorPhysicsLayer_18() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___floorPhysicsLayer_18)); }
inline int32_t get_floorPhysicsLayer_18() const { return ___floorPhysicsLayer_18; }
inline int32_t* get_address_of_floorPhysicsLayer_18() { return &___floorPhysicsLayer_18; }
inline void set_floorPhysicsLayer_18(int32_t value)
{
___floorPhysicsLayer_18 = value;
}
inline static int32_t get_offset_of_showTrackedArea_19() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___showTrackedArea_19)); }
inline bool get_showTrackedArea_19() const { return ___showTrackedArea_19; }
inline bool* get_address_of_showTrackedArea_19() { return &___showTrackedArea_19; }
inline void set_showTrackedArea_19(bool value)
{
___showTrackedArea_19 = value;
}
inline static int32_t get_offset_of_playAreaPhysicsLayer_20() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___playAreaPhysicsLayer_20)); }
inline int32_t get_playAreaPhysicsLayer_20() const { return ___playAreaPhysicsLayer_20; }
inline int32_t* get_address_of_playAreaPhysicsLayer_20() { return &___playAreaPhysicsLayer_20; }
inline void set_playAreaPhysicsLayer_20(int32_t value)
{
___playAreaPhysicsLayer_20 = value;
}
inline static int32_t get_offset_of_showBoundaryWalls_21() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___showBoundaryWalls_21)); }
inline bool get_showBoundaryWalls_21() const { return ___showBoundaryWalls_21; }
inline bool* get_address_of_showBoundaryWalls_21() { return &___showBoundaryWalls_21; }
inline void set_showBoundaryWalls_21(bool value)
{
___showBoundaryWalls_21 = value;
}
inline static int32_t get_offset_of_trackedAreaPhysicsLayer_22() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___trackedAreaPhysicsLayer_22)); }
inline int32_t get_trackedAreaPhysicsLayer_22() const { return ___trackedAreaPhysicsLayer_22; }
inline int32_t* get_address_of_trackedAreaPhysicsLayer_22() { return &___trackedAreaPhysicsLayer_22; }
inline void set_trackedAreaPhysicsLayer_22(int32_t value)
{
___trackedAreaPhysicsLayer_22 = value;
}
inline static int32_t get_offset_of_showCeiling_23() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___showCeiling_23)); }
inline bool get_showCeiling_23() const { return ___showCeiling_23; }
inline bool* get_address_of_showCeiling_23() { return &___showCeiling_23; }
inline void set_showCeiling_23(bool value)
{
___showCeiling_23 = value;
}
inline static int32_t get_offset_of_boundaryWallsPhysicsLayer_24() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___boundaryWallsPhysicsLayer_24)); }
inline int32_t get_boundaryWallsPhysicsLayer_24() const { return ___boundaryWallsPhysicsLayer_24; }
inline int32_t* get_address_of_boundaryWallsPhysicsLayer_24() { return &___boundaryWallsPhysicsLayer_24; }
inline void set_boundaryWallsPhysicsLayer_24(int32_t value)
{
___boundaryWallsPhysicsLayer_24 = value;
}
inline static int32_t get_offset_of_ceilingPhysicsLayer_25() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___ceilingPhysicsLayer_25)); }
inline int32_t get_ceilingPhysicsLayer_25() const { return ___ceilingPhysicsLayer_25; }
inline int32_t* get_address_of_ceilingPhysicsLayer_25() { return &___ceilingPhysicsLayer_25; }
inline void set_ceilingPhysicsLayer_25(int32_t value)
{
___ceilingPhysicsLayer_25 = value;
}
inline static int32_t get_offset_of_U3CBoundsU3Ek__BackingField_26() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CBoundsU3Ek__BackingField_26)); }
inline EdgeU5BU5D_t926B9B1CB308427D72DA5A551F5BE052E99E0F5C* get_U3CBoundsU3Ek__BackingField_26() const { return ___U3CBoundsU3Ek__BackingField_26; }
inline EdgeU5BU5D_t926B9B1CB308427D72DA5A551F5BE052E99E0F5C** get_address_of_U3CBoundsU3Ek__BackingField_26() { return &___U3CBoundsU3Ek__BackingField_26; }
inline void set_U3CBoundsU3Ek__BackingField_26(EdgeU5BU5D_t926B9B1CB308427D72DA5A551F5BE052E99E0F5C* value)
{
___U3CBoundsU3Ek__BackingField_26 = value;
Il2CppCodeGenWriteBarrier((&___U3CBoundsU3Ek__BackingField_26), value);
}
inline static int32_t get_offset_of_U3CFloorHeightU3Ek__BackingField_27() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___U3CFloorHeightU3Ek__BackingField_27)); }
inline Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777 get_U3CFloorHeightU3Ek__BackingField_27() const { return ___U3CFloorHeightU3Ek__BackingField_27; }
inline Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777 * get_address_of_U3CFloorHeightU3Ek__BackingField_27() { return &___U3CFloorHeightU3Ek__BackingField_27; }
inline void set_U3CFloorHeightU3Ek__BackingField_27(Nullable_1_t96A9DB0CC70D8F236B20E8A1F00B8FE74850F777 value)
{
___U3CFloorHeightU3Ek__BackingField_27 = value;
}
inline static int32_t get_offset_of_rectangularBounds_28() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___rectangularBounds_28)); }
inline InscribedRectangle_t9E33DA766BEACCC7486156F0F060ED24847AEE87 * get_rectangularBounds_28() const { return ___rectangularBounds_28; }
inline InscribedRectangle_t9E33DA766BEACCC7486156F0F060ED24847AEE87 ** get_address_of_rectangularBounds_28() { return &___rectangularBounds_28; }
inline void set_rectangularBounds_28(InscribedRectangle_t9E33DA766BEACCC7486156F0F060ED24847AEE87 * value)
{
___rectangularBounds_28 = value;
Il2CppCodeGenWriteBarrier((&___rectangularBounds_28), value);
}
inline static int32_t get_offset_of_currentFloorObject_29() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___currentFloorObject_29)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_currentFloorObject_29() const { return ___currentFloorObject_29; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_currentFloorObject_29() { return &___currentFloorObject_29; }
inline void set_currentFloorObject_29(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___currentFloorObject_29 = value;
Il2CppCodeGenWriteBarrier((&___currentFloorObject_29), value);
}
inline static int32_t get_offset_of_currentPlayAreaObject_30() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___currentPlayAreaObject_30)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_currentPlayAreaObject_30() const { return ___currentPlayAreaObject_30; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_currentPlayAreaObject_30() { return &___currentPlayAreaObject_30; }
inline void set_currentPlayAreaObject_30(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___currentPlayAreaObject_30 = value;
Il2CppCodeGenWriteBarrier((&___currentPlayAreaObject_30), value);
}
inline static int32_t get_offset_of_currentTrackedAreaObject_31() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___currentTrackedAreaObject_31)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_currentTrackedAreaObject_31() const { return ___currentTrackedAreaObject_31; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_currentTrackedAreaObject_31() { return &___currentTrackedAreaObject_31; }
inline void set_currentTrackedAreaObject_31(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___currentTrackedAreaObject_31 = value;
Il2CppCodeGenWriteBarrier((&___currentTrackedAreaObject_31), value);
}
inline static int32_t get_offset_of_currentBoundaryWallObject_32() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___currentBoundaryWallObject_32)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_currentBoundaryWallObject_32() const { return ___currentBoundaryWallObject_32; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_currentBoundaryWallObject_32() { return &___currentBoundaryWallObject_32; }
inline void set_currentBoundaryWallObject_32(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___currentBoundaryWallObject_32 = value;
Il2CppCodeGenWriteBarrier((&___currentBoundaryWallObject_32), value);
}
inline static int32_t get_offset_of_currentCeilingObject_33() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D, ___currentCeilingObject_33)); }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * get_currentCeilingObject_33() const { return ___currentCeilingObject_33; }
inline GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F ** get_address_of_currentCeilingObject_33() { return &___currentCeilingObject_33; }
inline void set_currentCeilingObject_33(GameObject_tBD1244AD56B4E59AAD76E5E7C9282EC5CE434F0F * value)
{
___currentCeilingObject_33 = value;
Il2CppCodeGenWriteBarrier((&___currentCeilingObject_33), value);
}
};
struct MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D_StaticFields
{
public:
// UnityEngine.EventSystems.ExecuteEvents_EventFunction`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.BoundarySystem.IMixedRealityBoundaryHandler> Microsoft.MixedReality.Toolkit.Services.BoundarySystem.MixedRealityBoundarySystem::OnVisualizationChanged
EventFunction_1_tC567429285EEE5042DCE401FA0973242427537DD * ___OnVisualizationChanged_7;
public:
inline static int32_t get_offset_of_OnVisualizationChanged_7() { return static_cast<int32_t>(offsetof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D_StaticFields, ___OnVisualizationChanged_7)); }
inline EventFunction_1_tC567429285EEE5042DCE401FA0973242427537DD * get_OnVisualizationChanged_7() const { return ___OnVisualizationChanged_7; }
inline EventFunction_1_tC567429285EEE5042DCE401FA0973242427537DD ** get_address_of_OnVisualizationChanged_7() { return &___OnVisualizationChanged_7; }
inline void set_OnVisualizationChanged_7(EventFunction_1_tC567429285EEE5042DCE401FA0973242427537DD * value)
{
___OnVisualizationChanged_7 = value;
Il2CppCodeGenWriteBarrier((&___OnVisualizationChanged_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MIXEDREALITYBOUNDARYSYSTEM_TABC4B4CC95DD9BB32B8D9A94BC0163672395850D_H
#ifndef COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#define COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifndef SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#define SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_pinvoke : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734_marshaled_com : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
};
#endif // SCRIPTABLEOBJECT_TAB015486CEAB714DA0D5C1BA389B84FB90427734_H
#ifndef INPUTACTIONEVENTPAIR_T749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70_H
#define INPUTACTIONEVENTPAIR_T749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair
struct InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair::inputAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___inputAction_0;
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair::unityEvent
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___unityEvent_1;
public:
inline static int32_t get_offset_of_inputAction_0() { return static_cast<int32_t>(offsetof(InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70, ___inputAction_0)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_inputAction_0() const { return ___inputAction_0; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_inputAction_0() { return &___inputAction_0; }
inline void set_inputAction_0(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___inputAction_0 = value;
}
inline static int32_t get_offset_of_unityEvent_1() { return static_cast<int32_t>(offsetof(InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70, ___unityEvent_1)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_unityEvent_1() const { return ___unityEvent_1; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_unityEvent_1() { return &___unityEvent_1; }
inline void set_unityEvent_1(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___unityEvent_1 = value;
Il2CppCodeGenWriteBarrier((&___unityEvent_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair
struct InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70_marshaled_pinvoke
{
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_marshaled_pinvoke ___inputAction_0;
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___unityEvent_1;
};
// Native definition for COM marshalling of Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair
struct InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70_marshaled_com
{
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96_marshaled_com ___inputAction_0;
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___unityEvent_1;
};
#endif // INPUTACTIONEVENTPAIR_T749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70_H
#ifndef STATES_T9243039669F284C2A91A5294FE41955AD9C28005_H
#define STATES_T9243039669F284C2A91A5294FE41955AD9C28005_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States
struct States_t9243039669F284C2A91A5294FE41955AD9C28005 : public ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::StateList
List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * ___StateList_4;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::DefaultIndex
int32_t ___DefaultIndex_5;
// System.Type Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::StateType
Type_t * ___StateType_6;
// System.String[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::StateOptions
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___StateOptions_7;
// System.Type[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::StateTypes
TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* ___StateTypes_8;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States::StateLogicName
String_t* ___StateLogicName_9;
public:
inline static int32_t get_offset_of_StateList_4() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___StateList_4)); }
inline List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * get_StateList_4() const { return ___StateList_4; }
inline List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 ** get_address_of_StateList_4() { return &___StateList_4; }
inline void set_StateList_4(List_1_tB0CB1C4E3F3553ACDD89C13AAB64D7C473C1DD00 * value)
{
___StateList_4 = value;
Il2CppCodeGenWriteBarrier((&___StateList_4), value);
}
inline static int32_t get_offset_of_DefaultIndex_5() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___DefaultIndex_5)); }
inline int32_t get_DefaultIndex_5() const { return ___DefaultIndex_5; }
inline int32_t* get_address_of_DefaultIndex_5() { return &___DefaultIndex_5; }
inline void set_DefaultIndex_5(int32_t value)
{
___DefaultIndex_5 = value;
}
inline static int32_t get_offset_of_StateType_6() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___StateType_6)); }
inline Type_t * get_StateType_6() const { return ___StateType_6; }
inline Type_t ** get_address_of_StateType_6() { return &___StateType_6; }
inline void set_StateType_6(Type_t * value)
{
___StateType_6 = value;
Il2CppCodeGenWriteBarrier((&___StateType_6), value);
}
inline static int32_t get_offset_of_StateOptions_7() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___StateOptions_7)); }
inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_StateOptions_7() const { return ___StateOptions_7; }
inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_StateOptions_7() { return &___StateOptions_7; }
inline void set_StateOptions_7(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value)
{
___StateOptions_7 = value;
Il2CppCodeGenWriteBarrier((&___StateOptions_7), value);
}
inline static int32_t get_offset_of_StateTypes_8() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___StateTypes_8)); }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* get_StateTypes_8() const { return ___StateTypes_8; }
inline TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F** get_address_of_StateTypes_8() { return &___StateTypes_8; }
inline void set_StateTypes_8(TypeU5BU5D_t7FE623A666B49176DE123306221193E888A12F5F* value)
{
___StateTypes_8 = value;
Il2CppCodeGenWriteBarrier((&___StateTypes_8), value);
}
inline static int32_t get_offset_of_StateLogicName_9() { return static_cast<int32_t>(offsetof(States_t9243039669F284C2A91A5294FE41955AD9C28005, ___StateLogicName_9)); }
inline String_t* get_StateLogicName_9() const { return ___StateLogicName_9; }
inline String_t** get_address_of_StateLogicName_9() { return &___StateLogicName_9; }
inline void set_StateLogicName_9(String_t* value)
{
___StateLogicName_9 = value;
Il2CppCodeGenWriteBarrier((&___StateLogicName_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // STATES_T9243039669F284C2A91A5294FE41955AD9C28005_H
#ifndef THEME_TEAF19AC1B2BD81AF4EE196A36439A9DE5726C162_H
#define THEME_TEAF19AC1B2BD81AF4EE196A36439A9DE5726C162_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme
struct Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162 : public ScriptableObject_tAB015486CEAB714DA0D5C1BA389B84FB90427734
{
public:
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme::Name
String_t* ___Name_4;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertySettings> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme::Settings
List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * ___Settings_5;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemePropertyValue> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme::CustomSettings
List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * ___CustomSettings_6;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.Theme::States
States_t9243039669F284C2A91A5294FE41955AD9C28005 * ___States_7;
public:
inline static int32_t get_offset_of_Name_4() { return static_cast<int32_t>(offsetof(Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162, ___Name_4)); }
inline String_t* get_Name_4() const { return ___Name_4; }
inline String_t** get_address_of_Name_4() { return &___Name_4; }
inline void set_Name_4(String_t* value)
{
___Name_4 = value;
Il2CppCodeGenWriteBarrier((&___Name_4), value);
}
inline static int32_t get_offset_of_Settings_5() { return static_cast<int32_t>(offsetof(Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162, ___Settings_5)); }
inline List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * get_Settings_5() const { return ___Settings_5; }
inline List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 ** get_address_of_Settings_5() { return &___Settings_5; }
inline void set_Settings_5(List_1_t98A775D3EDD89150C79801E6F70787FB68DBE5E0 * value)
{
___Settings_5 = value;
Il2CppCodeGenWriteBarrier((&___Settings_5), value);
}
inline static int32_t get_offset_of_CustomSettings_6() { return static_cast<int32_t>(offsetof(Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162, ___CustomSettings_6)); }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * get_CustomSettings_6() const { return ___CustomSettings_6; }
inline List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 ** get_address_of_CustomSettings_6() { return &___CustomSettings_6; }
inline void set_CustomSettings_6(List_1_t5A148EEFE8D7B116C4E30BCDBE9FDE323342DC68 * value)
{
___CustomSettings_6 = value;
Il2CppCodeGenWriteBarrier((&___CustomSettings_6), value);
}
inline static int32_t get_offset_of_States_7() { return static_cast<int32_t>(offsetof(Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162, ___States_7)); }
inline States_t9243039669F284C2A91A5294FE41955AD9C28005 * get_States_7() const { return ___States_7; }
inline States_t9243039669F284C2A91A5294FE41955AD9C28005 ** get_address_of_States_7() { return &___States_7; }
inline void set_States_7(States_t9243039669F284C2A91A5294FE41955AD9C28005 * value)
{
___States_7 = value;
Il2CppCodeGenWriteBarrier((&___States_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // THEME_TEAF19AC1B2BD81AF4EE196A36439A9DE5726C162_H
#ifndef BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#define BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Behaviour
struct Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8 : public Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifndef MONOBEHAVIOUR_T4A60845CF505405AF8BE8C61CC07F75CADEF6429_H
#define MONOBEHAVIOUR_T4A60845CF505405AF8BE8C61CC07F75CADEF6429_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.MonoBehaviour
struct MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429 : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MONOBEHAVIOUR_T4A60845CF505405AF8BE8C61CC07F75CADEF6429_H
#ifndef AUDIOINFLUENCERCONTROLLER_T2EB0358E5EEF5751A6545CC94A566534FDA8E660_H
#define AUDIOINFLUENCERCONTROLLER_T2EB0358E5EEF5751A6545CC94A566534FDA8E660_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController
struct AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::updateInterval
float ___updateInterval_6;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::maxDistance
float ___maxDistance_7;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::maxObjects
int32_t ___maxObjects_8;
// System.DateTime Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::lastUpdate
DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 ___lastUpdate_9;
// UnityEngine.AudioSource Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::audioSource
AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * ___audioSource_10;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::initialAudioSourceVolume
float ___initialAudioSourceVolume_11;
// UnityEngine.RaycastHit[] Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::hits
RaycastHitU5BU5D_tE9BB282384F0196211AD1A480477254188211F57* ___hits_12;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.Audio.IAudioInfluencer> Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::previousInfluencers
List_1_tB279C4CEA39F701AEE8A987071E5DAD3EFE62CFD * ___previousInfluencers_13;
// UnityEngine.AudioLowPassFilter Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::lowPassFilter
AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * ___lowPassFilter_14;
// UnityEngine.AudioHighPassFilter Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::highPassFilter
AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * ___highPassFilter_15;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::nativeLowPassCutoffFrequency
float ___nativeLowPassCutoffFrequency_16;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::nativeHighPassCutoffFrequency
float ___nativeHighPassCutoffFrequency_17;
public:
inline static int32_t get_offset_of_updateInterval_6() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___updateInterval_6)); }
inline float get_updateInterval_6() const { return ___updateInterval_6; }
inline float* get_address_of_updateInterval_6() { return &___updateInterval_6; }
inline void set_updateInterval_6(float value)
{
___updateInterval_6 = value;
}
inline static int32_t get_offset_of_maxDistance_7() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___maxDistance_7)); }
inline float get_maxDistance_7() const { return ___maxDistance_7; }
inline float* get_address_of_maxDistance_7() { return &___maxDistance_7; }
inline void set_maxDistance_7(float value)
{
___maxDistance_7 = value;
}
inline static int32_t get_offset_of_maxObjects_8() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___maxObjects_8)); }
inline int32_t get_maxObjects_8() const { return ___maxObjects_8; }
inline int32_t* get_address_of_maxObjects_8() { return &___maxObjects_8; }
inline void set_maxObjects_8(int32_t value)
{
___maxObjects_8 = value;
}
inline static int32_t get_offset_of_lastUpdate_9() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___lastUpdate_9)); }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 get_lastUpdate_9() const { return ___lastUpdate_9; }
inline DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 * get_address_of_lastUpdate_9() { return &___lastUpdate_9; }
inline void set_lastUpdate_9(DateTime_t349B7449FBAAFF4192636E2B7A07694DA9236132 value)
{
___lastUpdate_9 = value;
}
inline static int32_t get_offset_of_audioSource_10() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___audioSource_10)); }
inline AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * get_audioSource_10() const { return ___audioSource_10; }
inline AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C ** get_address_of_audioSource_10() { return &___audioSource_10; }
inline void set_audioSource_10(AudioSource_t5196F862B4E60F404613361C90D87FBDD041E93C * value)
{
___audioSource_10 = value;
Il2CppCodeGenWriteBarrier((&___audioSource_10), value);
}
inline static int32_t get_offset_of_initialAudioSourceVolume_11() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___initialAudioSourceVolume_11)); }
inline float get_initialAudioSourceVolume_11() const { return ___initialAudioSourceVolume_11; }
inline float* get_address_of_initialAudioSourceVolume_11() { return &___initialAudioSourceVolume_11; }
inline void set_initialAudioSourceVolume_11(float value)
{
___initialAudioSourceVolume_11 = value;
}
inline static int32_t get_offset_of_hits_12() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___hits_12)); }
inline RaycastHitU5BU5D_tE9BB282384F0196211AD1A480477254188211F57* get_hits_12() const { return ___hits_12; }
inline RaycastHitU5BU5D_tE9BB282384F0196211AD1A480477254188211F57** get_address_of_hits_12() { return &___hits_12; }
inline void set_hits_12(RaycastHitU5BU5D_tE9BB282384F0196211AD1A480477254188211F57* value)
{
___hits_12 = value;
Il2CppCodeGenWriteBarrier((&___hits_12), value);
}
inline static int32_t get_offset_of_previousInfluencers_13() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___previousInfluencers_13)); }
inline List_1_tB279C4CEA39F701AEE8A987071E5DAD3EFE62CFD * get_previousInfluencers_13() const { return ___previousInfluencers_13; }
inline List_1_tB279C4CEA39F701AEE8A987071E5DAD3EFE62CFD ** get_address_of_previousInfluencers_13() { return &___previousInfluencers_13; }
inline void set_previousInfluencers_13(List_1_tB279C4CEA39F701AEE8A987071E5DAD3EFE62CFD * value)
{
___previousInfluencers_13 = value;
Il2CppCodeGenWriteBarrier((&___previousInfluencers_13), value);
}
inline static int32_t get_offset_of_lowPassFilter_14() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___lowPassFilter_14)); }
inline AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * get_lowPassFilter_14() const { return ___lowPassFilter_14; }
inline AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE ** get_address_of_lowPassFilter_14() { return &___lowPassFilter_14; }
inline void set_lowPassFilter_14(AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * value)
{
___lowPassFilter_14 = value;
Il2CppCodeGenWriteBarrier((&___lowPassFilter_14), value);
}
inline static int32_t get_offset_of_highPassFilter_15() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___highPassFilter_15)); }
inline AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * get_highPassFilter_15() const { return ___highPassFilter_15; }
inline AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 ** get_address_of_highPassFilter_15() { return &___highPassFilter_15; }
inline void set_highPassFilter_15(AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * value)
{
___highPassFilter_15 = value;
Il2CppCodeGenWriteBarrier((&___highPassFilter_15), value);
}
inline static int32_t get_offset_of_nativeLowPassCutoffFrequency_16() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___nativeLowPassCutoffFrequency_16)); }
inline float get_nativeLowPassCutoffFrequency_16() const { return ___nativeLowPassCutoffFrequency_16; }
inline float* get_address_of_nativeLowPassCutoffFrequency_16() { return &___nativeLowPassCutoffFrequency_16; }
inline void set_nativeLowPassCutoffFrequency_16(float value)
{
___nativeLowPassCutoffFrequency_16 = value;
}
inline static int32_t get_offset_of_nativeHighPassCutoffFrequency_17() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660, ___nativeHighPassCutoffFrequency_17)); }
inline float get_nativeHighPassCutoffFrequency_17() const { return ___nativeHighPassCutoffFrequency_17; }
inline float* get_address_of_nativeHighPassCutoffFrequency_17() { return &___nativeHighPassCutoffFrequency_17; }
inline void set_nativeHighPassCutoffFrequency_17(float value)
{
___nativeHighPassCutoffFrequency_17 = value;
}
};
struct AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::NeutralLowFrequency
float ___NeutralLowFrequency_4;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController::NeutralHighFrequency
float ___NeutralHighFrequency_5;
public:
inline static int32_t get_offset_of_NeutralLowFrequency_4() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields, ___NeutralLowFrequency_4)); }
inline float get_NeutralLowFrequency_4() const { return ___NeutralLowFrequency_4; }
inline float* get_address_of_NeutralLowFrequency_4() { return &___NeutralLowFrequency_4; }
inline void set_NeutralLowFrequency_4(float value)
{
___NeutralLowFrequency_4 = value;
}
inline static int32_t get_offset_of_NeutralHighFrequency_5() { return static_cast<int32_t>(offsetof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields, ___NeutralHighFrequency_5)); }
inline float get_NeutralHighFrequency_5() const { return ___NeutralHighFrequency_5; }
inline float* get_address_of_NeutralHighFrequency_5() { return &___NeutralHighFrequency_5; }
inline void set_NeutralHighFrequency_5(float value)
{
___NeutralHighFrequency_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AUDIOINFLUENCERCONTROLLER_T2EB0358E5EEF5751A6545CC94A566534FDA8E660_H
#ifndef AUDIOLOFIEFFECT_T2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC_H
#define AUDIOLOFIEFFECT_T2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect
struct AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiSourceQuality Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::sourceQuality
int32_t ___sourceQuality_4;
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioInfluencerController Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::influencerController
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660 * ___influencerController_5;
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect_AudioLoFiFilterSettings Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::filterSettings
AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C ___filterSettings_6;
// UnityEngine.AudioLowPassFilter Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::lowPassFilter
AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * ___lowPassFilter_7;
// UnityEngine.AudioHighPassFilter Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::highPassFilter
AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * ___highPassFilter_8;
// System.Collections.Generic.Dictionary`2<Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiSourceQuality,Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect_AudioLoFiFilterSettings> Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioLoFiEffect::sourceQualityFilterSettings
Dictionary_2_tA21D86C525E0218F2C3DFF2F8E009383F46EEA64 * ___sourceQualityFilterSettings_9;
public:
inline static int32_t get_offset_of_sourceQuality_4() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___sourceQuality_4)); }
inline int32_t get_sourceQuality_4() const { return ___sourceQuality_4; }
inline int32_t* get_address_of_sourceQuality_4() { return &___sourceQuality_4; }
inline void set_sourceQuality_4(int32_t value)
{
___sourceQuality_4 = value;
}
inline static int32_t get_offset_of_influencerController_5() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___influencerController_5)); }
inline AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660 * get_influencerController_5() const { return ___influencerController_5; }
inline AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660 ** get_address_of_influencerController_5() { return &___influencerController_5; }
inline void set_influencerController_5(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660 * value)
{
___influencerController_5 = value;
Il2CppCodeGenWriteBarrier((&___influencerController_5), value);
}
inline static int32_t get_offset_of_filterSettings_6() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___filterSettings_6)); }
inline AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C get_filterSettings_6() const { return ___filterSettings_6; }
inline AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C * get_address_of_filterSettings_6() { return &___filterSettings_6; }
inline void set_filterSettings_6(AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C value)
{
___filterSettings_6 = value;
}
inline static int32_t get_offset_of_lowPassFilter_7() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___lowPassFilter_7)); }
inline AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * get_lowPassFilter_7() const { return ___lowPassFilter_7; }
inline AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE ** get_address_of_lowPassFilter_7() { return &___lowPassFilter_7; }
inline void set_lowPassFilter_7(AudioLowPassFilter_t97DD6F50E1F0D2D9404D8A28A97CA3D232BF44CE * value)
{
___lowPassFilter_7 = value;
Il2CppCodeGenWriteBarrier((&___lowPassFilter_7), value);
}
inline static int32_t get_offset_of_highPassFilter_8() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___highPassFilter_8)); }
inline AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * get_highPassFilter_8() const { return ___highPassFilter_8; }
inline AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 ** get_address_of_highPassFilter_8() { return &___highPassFilter_8; }
inline void set_highPassFilter_8(AudioHighPassFilter_tAF7C56386170F84139A84528E2EC43DBC9E2C473 * value)
{
___highPassFilter_8 = value;
Il2CppCodeGenWriteBarrier((&___highPassFilter_8), value);
}
inline static int32_t get_offset_of_sourceQualityFilterSettings_9() { return static_cast<int32_t>(offsetof(AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC, ___sourceQualityFilterSettings_9)); }
inline Dictionary_2_tA21D86C525E0218F2C3DFF2F8E009383F46EEA64 * get_sourceQualityFilterSettings_9() const { return ___sourceQualityFilterSettings_9; }
inline Dictionary_2_tA21D86C525E0218F2C3DFF2F8E009383F46EEA64 ** get_address_of_sourceQualityFilterSettings_9() { return &___sourceQualityFilterSettings_9; }
inline void set_sourceQualityFilterSettings_9(Dictionary_2_tA21D86C525E0218F2C3DFF2F8E009383F46EEA64 * value)
{
___sourceQualityFilterSettings_9 = value;
Il2CppCodeGenWriteBarrier((&___sourceQualityFilterSettings_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AUDIOLOFIEFFECT_T2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC_H
#ifndef AUDIOOCCLUDER_T6BDA8B81976255192C053F62DD1DD53BF81B3366_H
#define AUDIOOCCLUDER_T6BDA8B81976255192C053F62DD1DD53BF81B3366_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioOccluder
struct AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioOccluder::cutoffFrequency
float ___cutoffFrequency_4;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Audio.Influencers.AudioOccluder::volumePassThrough
float ___volumePassThrough_5;
public:
inline static int32_t get_offset_of_cutoffFrequency_4() { return static_cast<int32_t>(offsetof(AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366, ___cutoffFrequency_4)); }
inline float get_cutoffFrequency_4() const { return ___cutoffFrequency_4; }
inline float* get_address_of_cutoffFrequency_4() { return &___cutoffFrequency_4; }
inline void set_cutoffFrequency_4(float value)
{
___cutoffFrequency_4 = value;
}
inline static int32_t get_offset_of_volumePassThrough_5() { return static_cast<int32_t>(offsetof(AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366, ___volumePassThrough_5)); }
inline float get_volumePassThrough_5() const { return ___volumePassThrough_5; }
inline float* get_address_of_volumePassThrough_5() { return &___volumePassThrough_5; }
inline void set_volumePassThrough_5(float value)
{
___volumePassThrough_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // AUDIOOCCLUDER_T6BDA8B81976255192C053F62DD1DD53BF81B3366_H
#ifndef BASEFOCUSHANDLER_T8D534E5DCB9C87D230628E357AA6F8F8E351A5F4_H
#define BASEFOCUSHANDLER_T8D534E5DCB9C87D230628E357AA6F8F8E351A5F4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.BaseFocusHandler
struct BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.BaseFocusHandler::focusEnabled
bool ___focusEnabled_4;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityPointer> Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.BaseFocusHandler::<Focusers>k__BackingField
List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * ___U3CFocusersU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_focusEnabled_4() { return static_cast<int32_t>(offsetof(BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4, ___focusEnabled_4)); }
inline bool get_focusEnabled_4() const { return ___focusEnabled_4; }
inline bool* get_address_of_focusEnabled_4() { return &___focusEnabled_4; }
inline void set_focusEnabled_4(bool value)
{
___focusEnabled_4 = value;
}
inline static int32_t get_offset_of_U3CFocusersU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4, ___U3CFocusersU3Ek__BackingField_5)); }
inline List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * get_U3CFocusersU3Ek__BackingField_5() const { return ___U3CFocusersU3Ek__BackingField_5; }
inline List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 ** get_address_of_U3CFocusersU3Ek__BackingField_5() { return &___U3CFocusersU3Ek__BackingField_5; }
inline void set_U3CFocusersU3Ek__BackingField_5(List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * value)
{
___U3CFocusersU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((&___U3CFocusersU3Ek__BackingField_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASEFOCUSHANDLER_T8D534E5DCB9C87D230628E357AA6F8F8E351A5F4_H
#ifndef BASEOBJECTCOLLECTION_T23F21256523BEE3E12C0D217C078D465A55F6947_H
#define BASEOBJECTCOLLECTION_T23F21256523BEE3E12C0D217C078D465A55F6947_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection
struct BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Action`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection::<OnCollectionUpdated>k__BackingField
Action_1_t101FB40FEFFE7EA7F75A4950EE825FFDFDCB7FBB * ___U3COnCollectionUpdatedU3Ek__BackingField_4;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectCollectionNode> Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection::<NodeList>k__BackingField
List_1_tE14F242A2D6B2F3BF785AC24676BCA0CA25858C9 * ___U3CNodeListU3Ek__BackingField_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection::ignoreInactiveTransforms
bool ___ignoreInactiveTransforms_6;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.CollationOrder Microsoft.MixedReality.Toolkit.SDK.UX.Collections.BaseObjectCollection::sortType
int32_t ___sortType_7;
public:
inline static int32_t get_offset_of_U3COnCollectionUpdatedU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947, ___U3COnCollectionUpdatedU3Ek__BackingField_4)); }
inline Action_1_t101FB40FEFFE7EA7F75A4950EE825FFDFDCB7FBB * get_U3COnCollectionUpdatedU3Ek__BackingField_4() const { return ___U3COnCollectionUpdatedU3Ek__BackingField_4; }
inline Action_1_t101FB40FEFFE7EA7F75A4950EE825FFDFDCB7FBB ** get_address_of_U3COnCollectionUpdatedU3Ek__BackingField_4() { return &___U3COnCollectionUpdatedU3Ek__BackingField_4; }
inline void set_U3COnCollectionUpdatedU3Ek__BackingField_4(Action_1_t101FB40FEFFE7EA7F75A4950EE825FFDFDCB7FBB * value)
{
___U3COnCollectionUpdatedU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((&___U3COnCollectionUpdatedU3Ek__BackingField_4), value);
}
inline static int32_t get_offset_of_U3CNodeListU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947, ___U3CNodeListU3Ek__BackingField_5)); }
inline List_1_tE14F242A2D6B2F3BF785AC24676BCA0CA25858C9 * get_U3CNodeListU3Ek__BackingField_5() const { return ___U3CNodeListU3Ek__BackingField_5; }
inline List_1_tE14F242A2D6B2F3BF785AC24676BCA0CA25858C9 ** get_address_of_U3CNodeListU3Ek__BackingField_5() { return &___U3CNodeListU3Ek__BackingField_5; }
inline void set_U3CNodeListU3Ek__BackingField_5(List_1_tE14F242A2D6B2F3BF785AC24676BCA0CA25858C9 * value)
{
___U3CNodeListU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((&___U3CNodeListU3Ek__BackingField_5), value);
}
inline static int32_t get_offset_of_ignoreInactiveTransforms_6() { return static_cast<int32_t>(offsetof(BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947, ___ignoreInactiveTransforms_6)); }
inline bool get_ignoreInactiveTransforms_6() const { return ___ignoreInactiveTransforms_6; }
inline bool* get_address_of_ignoreInactiveTransforms_6() { return &___ignoreInactiveTransforms_6; }
inline void set_ignoreInactiveTransforms_6(bool value)
{
___ignoreInactiveTransforms_6 = value;
}
inline static int32_t get_offset_of_sortType_7() { return static_cast<int32_t>(offsetof(BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947, ___sortType_7)); }
inline int32_t get_sortType_7() const { return ___sortType_7; }
inline int32_t* get_address_of_sortType_7() { return &___sortType_7; }
inline void set_sortType_7(int32_t value)
{
___sortType_7 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASEOBJECTCOLLECTION_T23F21256523BEE3E12C0D217C078D465A55F6947_H
#ifndef TILEGRIDOBJECTCOLLECTION_T06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD_H
#define TILEGRIDOBJECTCOLLECTION_T06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection
struct TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::Columns
int32_t ___Columns_4;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::TileSize
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___TileSize_5;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::Gutters
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___Gutters_6;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::LayoutDireciton
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___LayoutDireciton_7;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::StartPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___StartPosition_8;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::Centered
bool ___Centered_9;
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection_GridDivisions Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::DepthCalculatedBy
int32_t ___DepthCalculatedBy_10;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::OnlyInEditMode
bool ___OnlyInEditMode_11;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::offSet
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___offSet_12;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Collections.TileGridObjectCollection::editorUpdated
bool ___editorUpdated_13;
public:
inline static int32_t get_offset_of_Columns_4() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___Columns_4)); }
inline int32_t get_Columns_4() const { return ___Columns_4; }
inline int32_t* get_address_of_Columns_4() { return &___Columns_4; }
inline void set_Columns_4(int32_t value)
{
___Columns_4 = value;
}
inline static int32_t get_offset_of_TileSize_5() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___TileSize_5)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_TileSize_5() const { return ___TileSize_5; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_TileSize_5() { return &___TileSize_5; }
inline void set_TileSize_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___TileSize_5 = value;
}
inline static int32_t get_offset_of_Gutters_6() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___Gutters_6)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_Gutters_6() const { return ___Gutters_6; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_Gutters_6() { return &___Gutters_6; }
inline void set_Gutters_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___Gutters_6 = value;
}
inline static int32_t get_offset_of_LayoutDireciton_7() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___LayoutDireciton_7)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_LayoutDireciton_7() const { return ___LayoutDireciton_7; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_LayoutDireciton_7() { return &___LayoutDireciton_7; }
inline void set_LayoutDireciton_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___LayoutDireciton_7 = value;
}
inline static int32_t get_offset_of_StartPosition_8() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___StartPosition_8)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_StartPosition_8() const { return ___StartPosition_8; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_StartPosition_8() { return &___StartPosition_8; }
inline void set_StartPosition_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___StartPosition_8 = value;
}
inline static int32_t get_offset_of_Centered_9() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___Centered_9)); }
inline bool get_Centered_9() const { return ___Centered_9; }
inline bool* get_address_of_Centered_9() { return &___Centered_9; }
inline void set_Centered_9(bool value)
{
___Centered_9 = value;
}
inline static int32_t get_offset_of_DepthCalculatedBy_10() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___DepthCalculatedBy_10)); }
inline int32_t get_DepthCalculatedBy_10() const { return ___DepthCalculatedBy_10; }
inline int32_t* get_address_of_DepthCalculatedBy_10() { return &___DepthCalculatedBy_10; }
inline void set_DepthCalculatedBy_10(int32_t value)
{
___DepthCalculatedBy_10 = value;
}
inline static int32_t get_offset_of_OnlyInEditMode_11() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___OnlyInEditMode_11)); }
inline bool get_OnlyInEditMode_11() const { return ___OnlyInEditMode_11; }
inline bool* get_address_of_OnlyInEditMode_11() { return &___OnlyInEditMode_11; }
inline void set_OnlyInEditMode_11(bool value)
{
___OnlyInEditMode_11 = value;
}
inline static int32_t get_offset_of_offSet_12() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___offSet_12)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_offSet_12() const { return ___offSet_12; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_offSet_12() { return &___offSet_12; }
inline void set_offSet_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___offSet_12 = value;
}
inline static int32_t get_offset_of_editorUpdated_13() { return static_cast<int32_t>(offsetof(TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD, ___editorUpdated_13)); }
inline bool get_editorUpdated_13() const { return ___editorUpdated_13; }
inline bool* get_address_of_editorUpdated_13() { return &___editorUpdated_13; }
inline void set_editorUpdated_13(bool value)
{
___editorUpdated_13 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TILEGRIDOBJECTCOLLECTION_T06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD_H
#ifndef RECEIVERBASEMONOBEHAVIOR_T2BBB7ADCD98BE5968680FBCA81308745E366CAE8_H
#define RECEIVERBASEMONOBEHAVIOR_T2BBB7ADCD98BE5968680FBCA81308745E366CAE8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior
struct ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior::Interactable
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * ___Interactable_4;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior_SearchScopes Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior::InteractableSearchScope
int32_t ___InteractableSearchScope_5;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.ReceiverBaseMonoBehavior::lastState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___lastState_6;
public:
inline static int32_t get_offset_of_Interactable_4() { return static_cast<int32_t>(offsetof(ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8, ___Interactable_4)); }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * get_Interactable_4() const { return ___Interactable_4; }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F ** get_address_of_Interactable_4() { return &___Interactable_4; }
inline void set_Interactable_4(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * value)
{
___Interactable_4 = value;
Il2CppCodeGenWriteBarrier((&___Interactable_4), value);
}
inline static int32_t get_offset_of_InteractableSearchScope_5() { return static_cast<int32_t>(offsetof(ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8, ___InteractableSearchScope_5)); }
inline int32_t get_InteractableSearchScope_5() const { return ___InteractableSearchScope_5; }
inline int32_t* get_address_of_InteractableSearchScope_5() { return &___InteractableSearchScope_5; }
inline void set_InteractableSearchScope_5(int32_t value)
{
___InteractableSearchScope_5 = value;
}
inline static int32_t get_offset_of_lastState_6() { return static_cast<int32_t>(offsetof(ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8, ___lastState_6)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_lastState_6() const { return ___lastState_6; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_lastState_6() { return &___lastState_6; }
inline void set_lastState_6(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___lastState_6 = value;
Il2CppCodeGenWriteBarrier((&___lastState_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RECEIVERBASEMONOBEHAVIOR_T2BBB7ADCD98BE5968680FBCA81308745E366CAE8_H
#ifndef INTERACTABLE_T08F64EE39AA4010B3FA6BA816E5289C6B191782F_H
#define INTERACTABLE_T08F64EE39AA4010B3FA6BA816E5289C6B191782F_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable
struct Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityPointer> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::pointers
List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * ___pointers_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::Enabled
bool ___Enabled_6;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.States Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::States
States_t9243039669F284C2A91A5294FE41955AD9C28005 * ___States_7;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.InteractableStates Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::StateManager
InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1 * ___StateManager_8;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::InputAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___InputAction_9;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::InputActionId
int32_t ___InputActionId_10;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::IsGlobal
bool ___IsGlobal_11;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::Dimensions
int32_t ___Dimensions_12;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::CanSelect
bool ___CanSelect_13;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::CanDeselect
bool ___CanDeselect_14;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::VoiceCommand
String_t* ___VoiceCommand_15;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::RequiresFocus
bool ___RequiresFocus_16;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Profile.InteractableProfileItem> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::Profiles
List_1_t2F07020FCE569E7981C4624258DD8053552B6202 * ___Profiles_17;
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::OnClick
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___OnClick_18;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::Events
List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * ___Events_19;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeBase> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::runningThemesList
List_1_t0224C7D9CD2F0F9A683A19AD0FC1BF8254B0076C * ___runningThemesList_20;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.ProfileSettings> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::runningProfileSettings
List_1_tC3300703C3BB3E2A87AB33ED0875C07AAFE509BC * ___runningProfileSettings_21;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::forceUpdate
bool ___forceUpdate_22;
// UnityEngine.Windows.Speech.KeywordRecognizer Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::keywordRecognizer
KeywordRecognizer_t8F0A26BBF11FE0307328C06B4A9EB4268386578C * ___keywordRecognizer_23;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RecognitionConfidenceLevel Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<recognitionConfidenceLevel>k__BackingField
int32_t ___U3CrecognitionConfidenceLevelU3Ek__BackingField_24;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasFocus>k__BackingField
bool ___U3CHasFocusU3Ek__BackingField_25;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasPress>k__BackingField
bool ___U3CHasPressU3Ek__BackingField_26;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<IsDisabled>k__BackingField
bool ___U3CIsDisabledU3Ek__BackingField_27;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<IsTargeted>k__BackingField
bool ___U3CIsTargetedU3Ek__BackingField_28;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<IsInteractive>k__BackingField
bool ___U3CIsInteractiveU3Ek__BackingField_29;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasObservationTargeted>k__BackingField
bool ___U3CHasObservationTargetedU3Ek__BackingField_30;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasObservation>k__BackingField
bool ___U3CHasObservationU3Ek__BackingField_31;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<IsVisited>k__BackingField
bool ___U3CIsVisitedU3Ek__BackingField_32;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<IsToggled>k__BackingField
bool ___U3CIsToggledU3Ek__BackingField_33;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasGesture>k__BackingField
bool ___U3CHasGestureU3Ek__BackingField_34;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasGestureMax>k__BackingField
bool ___U3CHasGestureMaxU3Ek__BackingField_35;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasCollision>k__BackingField
bool ___U3CHasCollisionU3Ek__BackingField_36;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasVoiceCommand>k__BackingField
bool ___U3CHasVoiceCommandU3Ek__BackingField_37;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::<HasCustom>k__BackingField
bool ___U3CHasCustomU3Ek__BackingField_38;
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.States.State Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::lastState
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * ___lastState_39;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::wasDisabled
bool ___wasDisabled_40;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::dimensionIndex
int32_t ___dimensionIndex_41;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::rollOffTime
float ___rollOffTime_42;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::rollOffTimer
float ___rollOffTimer_43;
// System.String[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::voiceCommands
StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* ___voiceCommands_44;
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.IInteractableHandler> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::handlers
List_1_tC3C99B5BC929E89B79C3C9C2BDB10486CF8A9DD0 * ___handlers_45;
// UnityEngine.Coroutine Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::globalTimer
Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * ___globalTimer_46;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::clickTime
float ___clickTime_47;
// UnityEngine.Coroutine Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::inputTimer
Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * ___inputTimer_48;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::pointerInputAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___pointerInputAction_49;
// System.Int32[] Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::GlobalClickOrder
Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* ___GlobalClickOrder_50;
public:
inline static int32_t get_offset_of_pointers_5() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___pointers_5)); }
inline List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * get_pointers_5() const { return ___pointers_5; }
inline List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 ** get_address_of_pointers_5() { return &___pointers_5; }
inline void set_pointers_5(List_1_t5A7857171F7ACD99861C5E1488700BDECC523F41 * value)
{
___pointers_5 = value;
Il2CppCodeGenWriteBarrier((&___pointers_5), value);
}
inline static int32_t get_offset_of_Enabled_6() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___Enabled_6)); }
inline bool get_Enabled_6() const { return ___Enabled_6; }
inline bool* get_address_of_Enabled_6() { return &___Enabled_6; }
inline void set_Enabled_6(bool value)
{
___Enabled_6 = value;
}
inline static int32_t get_offset_of_States_7() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___States_7)); }
inline States_t9243039669F284C2A91A5294FE41955AD9C28005 * get_States_7() const { return ___States_7; }
inline States_t9243039669F284C2A91A5294FE41955AD9C28005 ** get_address_of_States_7() { return &___States_7; }
inline void set_States_7(States_t9243039669F284C2A91A5294FE41955AD9C28005 * value)
{
___States_7 = value;
Il2CppCodeGenWriteBarrier((&___States_7), value);
}
inline static int32_t get_offset_of_StateManager_8() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___StateManager_8)); }
inline InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1 * get_StateManager_8() const { return ___StateManager_8; }
inline InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1 ** get_address_of_StateManager_8() { return &___StateManager_8; }
inline void set_StateManager_8(InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1 * value)
{
___StateManager_8 = value;
Il2CppCodeGenWriteBarrier((&___StateManager_8), value);
}
inline static int32_t get_offset_of_InputAction_9() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___InputAction_9)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_InputAction_9() const { return ___InputAction_9; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_InputAction_9() { return &___InputAction_9; }
inline void set_InputAction_9(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___InputAction_9 = value;
}
inline static int32_t get_offset_of_InputActionId_10() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___InputActionId_10)); }
inline int32_t get_InputActionId_10() const { return ___InputActionId_10; }
inline int32_t* get_address_of_InputActionId_10() { return &___InputActionId_10; }
inline void set_InputActionId_10(int32_t value)
{
___InputActionId_10 = value;
}
inline static int32_t get_offset_of_IsGlobal_11() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___IsGlobal_11)); }
inline bool get_IsGlobal_11() const { return ___IsGlobal_11; }
inline bool* get_address_of_IsGlobal_11() { return &___IsGlobal_11; }
inline void set_IsGlobal_11(bool value)
{
___IsGlobal_11 = value;
}
inline static int32_t get_offset_of_Dimensions_12() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___Dimensions_12)); }
inline int32_t get_Dimensions_12() const { return ___Dimensions_12; }
inline int32_t* get_address_of_Dimensions_12() { return &___Dimensions_12; }
inline void set_Dimensions_12(int32_t value)
{
___Dimensions_12 = value;
}
inline static int32_t get_offset_of_CanSelect_13() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___CanSelect_13)); }
inline bool get_CanSelect_13() const { return ___CanSelect_13; }
inline bool* get_address_of_CanSelect_13() { return &___CanSelect_13; }
inline void set_CanSelect_13(bool value)
{
___CanSelect_13 = value;
}
inline static int32_t get_offset_of_CanDeselect_14() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___CanDeselect_14)); }
inline bool get_CanDeselect_14() const { return ___CanDeselect_14; }
inline bool* get_address_of_CanDeselect_14() { return &___CanDeselect_14; }
inline void set_CanDeselect_14(bool value)
{
___CanDeselect_14 = value;
}
inline static int32_t get_offset_of_VoiceCommand_15() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___VoiceCommand_15)); }
inline String_t* get_VoiceCommand_15() const { return ___VoiceCommand_15; }
inline String_t** get_address_of_VoiceCommand_15() { return &___VoiceCommand_15; }
inline void set_VoiceCommand_15(String_t* value)
{
___VoiceCommand_15 = value;
Il2CppCodeGenWriteBarrier((&___VoiceCommand_15), value);
}
inline static int32_t get_offset_of_RequiresFocus_16() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___RequiresFocus_16)); }
inline bool get_RequiresFocus_16() const { return ___RequiresFocus_16; }
inline bool* get_address_of_RequiresFocus_16() { return &___RequiresFocus_16; }
inline void set_RequiresFocus_16(bool value)
{
___RequiresFocus_16 = value;
}
inline static int32_t get_offset_of_Profiles_17() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___Profiles_17)); }
inline List_1_t2F07020FCE569E7981C4624258DD8053552B6202 * get_Profiles_17() const { return ___Profiles_17; }
inline List_1_t2F07020FCE569E7981C4624258DD8053552B6202 ** get_address_of_Profiles_17() { return &___Profiles_17; }
inline void set_Profiles_17(List_1_t2F07020FCE569E7981C4624258DD8053552B6202 * value)
{
___Profiles_17 = value;
Il2CppCodeGenWriteBarrier((&___Profiles_17), value);
}
inline static int32_t get_offset_of_OnClick_18() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___OnClick_18)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_OnClick_18() const { return ___OnClick_18; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_OnClick_18() { return &___OnClick_18; }
inline void set_OnClick_18(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___OnClick_18 = value;
Il2CppCodeGenWriteBarrier((&___OnClick_18), value);
}
inline static int32_t get_offset_of_Events_19() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___Events_19)); }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * get_Events_19() const { return ___Events_19; }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD ** get_address_of_Events_19() { return &___Events_19; }
inline void set_Events_19(List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * value)
{
___Events_19 = value;
Il2CppCodeGenWriteBarrier((&___Events_19), value);
}
inline static int32_t get_offset_of_runningThemesList_20() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___runningThemesList_20)); }
inline List_1_t0224C7D9CD2F0F9A683A19AD0FC1BF8254B0076C * get_runningThemesList_20() const { return ___runningThemesList_20; }
inline List_1_t0224C7D9CD2F0F9A683A19AD0FC1BF8254B0076C ** get_address_of_runningThemesList_20() { return &___runningThemesList_20; }
inline void set_runningThemesList_20(List_1_t0224C7D9CD2F0F9A683A19AD0FC1BF8254B0076C * value)
{
___runningThemesList_20 = value;
Il2CppCodeGenWriteBarrier((&___runningThemesList_20), value);
}
inline static int32_t get_offset_of_runningProfileSettings_21() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___runningProfileSettings_21)); }
inline List_1_tC3300703C3BB3E2A87AB33ED0875C07AAFE509BC * get_runningProfileSettings_21() const { return ___runningProfileSettings_21; }
inline List_1_tC3300703C3BB3E2A87AB33ED0875C07AAFE509BC ** get_address_of_runningProfileSettings_21() { return &___runningProfileSettings_21; }
inline void set_runningProfileSettings_21(List_1_tC3300703C3BB3E2A87AB33ED0875C07AAFE509BC * value)
{
___runningProfileSettings_21 = value;
Il2CppCodeGenWriteBarrier((&___runningProfileSettings_21), value);
}
inline static int32_t get_offset_of_forceUpdate_22() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___forceUpdate_22)); }
inline bool get_forceUpdate_22() const { return ___forceUpdate_22; }
inline bool* get_address_of_forceUpdate_22() { return &___forceUpdate_22; }
inline void set_forceUpdate_22(bool value)
{
___forceUpdate_22 = value;
}
inline static int32_t get_offset_of_keywordRecognizer_23() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___keywordRecognizer_23)); }
inline KeywordRecognizer_t8F0A26BBF11FE0307328C06B4A9EB4268386578C * get_keywordRecognizer_23() const { return ___keywordRecognizer_23; }
inline KeywordRecognizer_t8F0A26BBF11FE0307328C06B4A9EB4268386578C ** get_address_of_keywordRecognizer_23() { return &___keywordRecognizer_23; }
inline void set_keywordRecognizer_23(KeywordRecognizer_t8F0A26BBF11FE0307328C06B4A9EB4268386578C * value)
{
___keywordRecognizer_23 = value;
Il2CppCodeGenWriteBarrier((&___keywordRecognizer_23), value);
}
inline static int32_t get_offset_of_U3CrecognitionConfidenceLevelU3Ek__BackingField_24() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CrecognitionConfidenceLevelU3Ek__BackingField_24)); }
inline int32_t get_U3CrecognitionConfidenceLevelU3Ek__BackingField_24() const { return ___U3CrecognitionConfidenceLevelU3Ek__BackingField_24; }
inline int32_t* get_address_of_U3CrecognitionConfidenceLevelU3Ek__BackingField_24() { return &___U3CrecognitionConfidenceLevelU3Ek__BackingField_24; }
inline void set_U3CrecognitionConfidenceLevelU3Ek__BackingField_24(int32_t value)
{
___U3CrecognitionConfidenceLevelU3Ek__BackingField_24 = value;
}
inline static int32_t get_offset_of_U3CHasFocusU3Ek__BackingField_25() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasFocusU3Ek__BackingField_25)); }
inline bool get_U3CHasFocusU3Ek__BackingField_25() const { return ___U3CHasFocusU3Ek__BackingField_25; }
inline bool* get_address_of_U3CHasFocusU3Ek__BackingField_25() { return &___U3CHasFocusU3Ek__BackingField_25; }
inline void set_U3CHasFocusU3Ek__BackingField_25(bool value)
{
___U3CHasFocusU3Ek__BackingField_25 = value;
}
inline static int32_t get_offset_of_U3CHasPressU3Ek__BackingField_26() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasPressU3Ek__BackingField_26)); }
inline bool get_U3CHasPressU3Ek__BackingField_26() const { return ___U3CHasPressU3Ek__BackingField_26; }
inline bool* get_address_of_U3CHasPressU3Ek__BackingField_26() { return &___U3CHasPressU3Ek__BackingField_26; }
inline void set_U3CHasPressU3Ek__BackingField_26(bool value)
{
___U3CHasPressU3Ek__BackingField_26 = value;
}
inline static int32_t get_offset_of_U3CIsDisabledU3Ek__BackingField_27() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CIsDisabledU3Ek__BackingField_27)); }
inline bool get_U3CIsDisabledU3Ek__BackingField_27() const { return ___U3CIsDisabledU3Ek__BackingField_27; }
inline bool* get_address_of_U3CIsDisabledU3Ek__BackingField_27() { return &___U3CIsDisabledU3Ek__BackingField_27; }
inline void set_U3CIsDisabledU3Ek__BackingField_27(bool value)
{
___U3CIsDisabledU3Ek__BackingField_27 = value;
}
inline static int32_t get_offset_of_U3CIsTargetedU3Ek__BackingField_28() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CIsTargetedU3Ek__BackingField_28)); }
inline bool get_U3CIsTargetedU3Ek__BackingField_28() const { return ___U3CIsTargetedU3Ek__BackingField_28; }
inline bool* get_address_of_U3CIsTargetedU3Ek__BackingField_28() { return &___U3CIsTargetedU3Ek__BackingField_28; }
inline void set_U3CIsTargetedU3Ek__BackingField_28(bool value)
{
___U3CIsTargetedU3Ek__BackingField_28 = value;
}
inline static int32_t get_offset_of_U3CIsInteractiveU3Ek__BackingField_29() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CIsInteractiveU3Ek__BackingField_29)); }
inline bool get_U3CIsInteractiveU3Ek__BackingField_29() const { return ___U3CIsInteractiveU3Ek__BackingField_29; }
inline bool* get_address_of_U3CIsInteractiveU3Ek__BackingField_29() { return &___U3CIsInteractiveU3Ek__BackingField_29; }
inline void set_U3CIsInteractiveU3Ek__BackingField_29(bool value)
{
___U3CIsInteractiveU3Ek__BackingField_29 = value;
}
inline static int32_t get_offset_of_U3CHasObservationTargetedU3Ek__BackingField_30() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasObservationTargetedU3Ek__BackingField_30)); }
inline bool get_U3CHasObservationTargetedU3Ek__BackingField_30() const { return ___U3CHasObservationTargetedU3Ek__BackingField_30; }
inline bool* get_address_of_U3CHasObservationTargetedU3Ek__BackingField_30() { return &___U3CHasObservationTargetedU3Ek__BackingField_30; }
inline void set_U3CHasObservationTargetedU3Ek__BackingField_30(bool value)
{
___U3CHasObservationTargetedU3Ek__BackingField_30 = value;
}
inline static int32_t get_offset_of_U3CHasObservationU3Ek__BackingField_31() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasObservationU3Ek__BackingField_31)); }
inline bool get_U3CHasObservationU3Ek__BackingField_31() const { return ___U3CHasObservationU3Ek__BackingField_31; }
inline bool* get_address_of_U3CHasObservationU3Ek__BackingField_31() { return &___U3CHasObservationU3Ek__BackingField_31; }
inline void set_U3CHasObservationU3Ek__BackingField_31(bool value)
{
___U3CHasObservationU3Ek__BackingField_31 = value;
}
inline static int32_t get_offset_of_U3CIsVisitedU3Ek__BackingField_32() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CIsVisitedU3Ek__BackingField_32)); }
inline bool get_U3CIsVisitedU3Ek__BackingField_32() const { return ___U3CIsVisitedU3Ek__BackingField_32; }
inline bool* get_address_of_U3CIsVisitedU3Ek__BackingField_32() { return &___U3CIsVisitedU3Ek__BackingField_32; }
inline void set_U3CIsVisitedU3Ek__BackingField_32(bool value)
{
___U3CIsVisitedU3Ek__BackingField_32 = value;
}
inline static int32_t get_offset_of_U3CIsToggledU3Ek__BackingField_33() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CIsToggledU3Ek__BackingField_33)); }
inline bool get_U3CIsToggledU3Ek__BackingField_33() const { return ___U3CIsToggledU3Ek__BackingField_33; }
inline bool* get_address_of_U3CIsToggledU3Ek__BackingField_33() { return &___U3CIsToggledU3Ek__BackingField_33; }
inline void set_U3CIsToggledU3Ek__BackingField_33(bool value)
{
___U3CIsToggledU3Ek__BackingField_33 = value;
}
inline static int32_t get_offset_of_U3CHasGestureU3Ek__BackingField_34() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasGestureU3Ek__BackingField_34)); }
inline bool get_U3CHasGestureU3Ek__BackingField_34() const { return ___U3CHasGestureU3Ek__BackingField_34; }
inline bool* get_address_of_U3CHasGestureU3Ek__BackingField_34() { return &___U3CHasGestureU3Ek__BackingField_34; }
inline void set_U3CHasGestureU3Ek__BackingField_34(bool value)
{
___U3CHasGestureU3Ek__BackingField_34 = value;
}
inline static int32_t get_offset_of_U3CHasGestureMaxU3Ek__BackingField_35() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasGestureMaxU3Ek__BackingField_35)); }
inline bool get_U3CHasGestureMaxU3Ek__BackingField_35() const { return ___U3CHasGestureMaxU3Ek__BackingField_35; }
inline bool* get_address_of_U3CHasGestureMaxU3Ek__BackingField_35() { return &___U3CHasGestureMaxU3Ek__BackingField_35; }
inline void set_U3CHasGestureMaxU3Ek__BackingField_35(bool value)
{
___U3CHasGestureMaxU3Ek__BackingField_35 = value;
}
inline static int32_t get_offset_of_U3CHasCollisionU3Ek__BackingField_36() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasCollisionU3Ek__BackingField_36)); }
inline bool get_U3CHasCollisionU3Ek__BackingField_36() const { return ___U3CHasCollisionU3Ek__BackingField_36; }
inline bool* get_address_of_U3CHasCollisionU3Ek__BackingField_36() { return &___U3CHasCollisionU3Ek__BackingField_36; }
inline void set_U3CHasCollisionU3Ek__BackingField_36(bool value)
{
___U3CHasCollisionU3Ek__BackingField_36 = value;
}
inline static int32_t get_offset_of_U3CHasVoiceCommandU3Ek__BackingField_37() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasVoiceCommandU3Ek__BackingField_37)); }
inline bool get_U3CHasVoiceCommandU3Ek__BackingField_37() const { return ___U3CHasVoiceCommandU3Ek__BackingField_37; }
inline bool* get_address_of_U3CHasVoiceCommandU3Ek__BackingField_37() { return &___U3CHasVoiceCommandU3Ek__BackingField_37; }
inline void set_U3CHasVoiceCommandU3Ek__BackingField_37(bool value)
{
___U3CHasVoiceCommandU3Ek__BackingField_37 = value;
}
inline static int32_t get_offset_of_U3CHasCustomU3Ek__BackingField_38() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___U3CHasCustomU3Ek__BackingField_38)); }
inline bool get_U3CHasCustomU3Ek__BackingField_38() const { return ___U3CHasCustomU3Ek__BackingField_38; }
inline bool* get_address_of_U3CHasCustomU3Ek__BackingField_38() { return &___U3CHasCustomU3Ek__BackingField_38; }
inline void set_U3CHasCustomU3Ek__BackingField_38(bool value)
{
___U3CHasCustomU3Ek__BackingField_38 = value;
}
inline static int32_t get_offset_of_lastState_39() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___lastState_39)); }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * get_lastState_39() const { return ___lastState_39; }
inline State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 ** get_address_of_lastState_39() { return &___lastState_39; }
inline void set_lastState_39(State_tE9FE9C3D18538F16495F79F6021EAE49709914B7 * value)
{
___lastState_39 = value;
Il2CppCodeGenWriteBarrier((&___lastState_39), value);
}
inline static int32_t get_offset_of_wasDisabled_40() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___wasDisabled_40)); }
inline bool get_wasDisabled_40() const { return ___wasDisabled_40; }
inline bool* get_address_of_wasDisabled_40() { return &___wasDisabled_40; }
inline void set_wasDisabled_40(bool value)
{
___wasDisabled_40 = value;
}
inline static int32_t get_offset_of_dimensionIndex_41() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___dimensionIndex_41)); }
inline int32_t get_dimensionIndex_41() const { return ___dimensionIndex_41; }
inline int32_t* get_address_of_dimensionIndex_41() { return &___dimensionIndex_41; }
inline void set_dimensionIndex_41(int32_t value)
{
___dimensionIndex_41 = value;
}
inline static int32_t get_offset_of_rollOffTime_42() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___rollOffTime_42)); }
inline float get_rollOffTime_42() const { return ___rollOffTime_42; }
inline float* get_address_of_rollOffTime_42() { return &___rollOffTime_42; }
inline void set_rollOffTime_42(float value)
{
___rollOffTime_42 = value;
}
inline static int32_t get_offset_of_rollOffTimer_43() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___rollOffTimer_43)); }
inline float get_rollOffTimer_43() const { return ___rollOffTimer_43; }
inline float* get_address_of_rollOffTimer_43() { return &___rollOffTimer_43; }
inline void set_rollOffTimer_43(float value)
{
___rollOffTimer_43 = value;
}
inline static int32_t get_offset_of_voiceCommands_44() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___voiceCommands_44)); }
inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* get_voiceCommands_44() const { return ___voiceCommands_44; }
inline StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E** get_address_of_voiceCommands_44() { return &___voiceCommands_44; }
inline void set_voiceCommands_44(StringU5BU5D_t933FB07893230EA91C40FF900D5400665E87B14E* value)
{
___voiceCommands_44 = value;
Il2CppCodeGenWriteBarrier((&___voiceCommands_44), value);
}
inline static int32_t get_offset_of_handlers_45() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___handlers_45)); }
inline List_1_tC3C99B5BC929E89B79C3C9C2BDB10486CF8A9DD0 * get_handlers_45() const { return ___handlers_45; }
inline List_1_tC3C99B5BC929E89B79C3C9C2BDB10486CF8A9DD0 ** get_address_of_handlers_45() { return &___handlers_45; }
inline void set_handlers_45(List_1_tC3C99B5BC929E89B79C3C9C2BDB10486CF8A9DD0 * value)
{
___handlers_45 = value;
Il2CppCodeGenWriteBarrier((&___handlers_45), value);
}
inline static int32_t get_offset_of_globalTimer_46() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___globalTimer_46)); }
inline Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * get_globalTimer_46() const { return ___globalTimer_46; }
inline Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC ** get_address_of_globalTimer_46() { return &___globalTimer_46; }
inline void set_globalTimer_46(Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * value)
{
___globalTimer_46 = value;
Il2CppCodeGenWriteBarrier((&___globalTimer_46), value);
}
inline static int32_t get_offset_of_clickTime_47() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___clickTime_47)); }
inline float get_clickTime_47() const { return ___clickTime_47; }
inline float* get_address_of_clickTime_47() { return &___clickTime_47; }
inline void set_clickTime_47(float value)
{
___clickTime_47 = value;
}
inline static int32_t get_offset_of_inputTimer_48() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___inputTimer_48)); }
inline Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * get_inputTimer_48() const { return ___inputTimer_48; }
inline Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC ** get_address_of_inputTimer_48() { return &___inputTimer_48; }
inline void set_inputTimer_48(Coroutine_tAE7DB2FC70A0AE6477F896F852057CB0754F06EC * value)
{
___inputTimer_48 = value;
Il2CppCodeGenWriteBarrier((&___inputTimer_48), value);
}
inline static int32_t get_offset_of_pointerInputAction_49() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___pointerInputAction_49)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_pointerInputAction_49() const { return ___pointerInputAction_49; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_pointerInputAction_49() { return &___pointerInputAction_49; }
inline void set_pointerInputAction_49(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___pointerInputAction_49 = value;
}
inline static int32_t get_offset_of_GlobalClickOrder_50() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F, ___GlobalClickOrder_50)); }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* get_GlobalClickOrder_50() const { return ___GlobalClickOrder_50; }
inline Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83** get_address_of_GlobalClickOrder_50() { return &___GlobalClickOrder_50; }
inline void set_GlobalClickOrder_50(Int32U5BU5D_t2B9E4FDDDB9F0A00EC0AC631BA2DA915EB1ECF83* value)
{
___GlobalClickOrder_50 = value;
Il2CppCodeGenWriteBarrier((&___GlobalClickOrder_50), value);
}
};
struct Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F_StaticFields
{
public:
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSystem Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable::inputSystem
RuntimeObject* ___inputSystem_4;
public:
inline static int32_t get_offset_of_inputSystem_4() { return static_cast<int32_t>(offsetof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F_StaticFields, ___inputSystem_4)); }
inline RuntimeObject* get_inputSystem_4() const { return ___inputSystem_4; }
inline RuntimeObject** get_address_of_inputSystem_4() { return &___inputSystem_4; }
inline void set_inputSystem_4(RuntimeObject* value)
{
___inputSystem_4 = value;
Il2CppCodeGenWriteBarrier((&___inputSystem_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLE_T08F64EE39AA4010B3FA6BA816E5289C6B191782F_H
#ifndef BUTTONBACKGROUNDSIZE_T22F99BD9676FEAFBA430CA2BB7F4E14B833D565C_H
#define BUTTONBACKGROUNDSIZE_T22F99BD9676FEAFBA430CA2BB7F4E14B833D565C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSize
struct ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSize::BasePixelScale
float ___BasePixelScale_4;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSize::ItemSize
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___ItemSize_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSize::OnlyInEditMode
bool ___OnlyInEditMode_6;
public:
inline static int32_t get_offset_of_BasePixelScale_4() { return static_cast<int32_t>(offsetof(ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C, ___BasePixelScale_4)); }
inline float get_BasePixelScale_4() const { return ___BasePixelScale_4; }
inline float* get_address_of_BasePixelScale_4() { return &___BasePixelScale_4; }
inline void set_BasePixelScale_4(float value)
{
___BasePixelScale_4 = value;
}
inline static int32_t get_offset_of_ItemSize_5() { return static_cast<int32_t>(offsetof(ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C, ___ItemSize_5)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_ItemSize_5() const { return ___ItemSize_5; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_ItemSize_5() { return &___ItemSize_5; }
inline void set_ItemSize_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___ItemSize_5 = value;
}
inline static int32_t get_offset_of_OnlyInEditMode_6() { return static_cast<int32_t>(offsetof(ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C, ___OnlyInEditMode_6)); }
inline bool get_OnlyInEditMode_6() const { return ___OnlyInEditMode_6; }
inline bool* get_address_of_OnlyInEditMode_6() { return &___OnlyInEditMode_6; }
inline void set_OnlyInEditMode_6(bool value)
{
___OnlyInEditMode_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BUTTONBACKGROUNDSIZE_T22F99BD9676FEAFBA430CA2BB7F4E14B833D565C_H
#ifndef BUTTONBACKGROUNDSIZEOFFSET_TFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39_H
#define BUTTONBACKGROUNDSIZEOFFSET_TFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset
struct ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset::BasePixelScale
float ___BasePixelScale_4;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset::AnchorTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___AnchorTransform_5;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset::Scale
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___Scale_6;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset::Offset
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___Offset_7;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBackgroundSizeOffset::OnlyInEditMode
bool ___OnlyInEditMode_8;
public:
inline static int32_t get_offset_of_BasePixelScale_4() { return static_cast<int32_t>(offsetof(ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39, ___BasePixelScale_4)); }
inline float get_BasePixelScale_4() const { return ___BasePixelScale_4; }
inline float* get_address_of_BasePixelScale_4() { return &___BasePixelScale_4; }
inline void set_BasePixelScale_4(float value)
{
___BasePixelScale_4 = value;
}
inline static int32_t get_offset_of_AnchorTransform_5() { return static_cast<int32_t>(offsetof(ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39, ___AnchorTransform_5)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_AnchorTransform_5() const { return ___AnchorTransform_5; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_AnchorTransform_5() { return &___AnchorTransform_5; }
inline void set_AnchorTransform_5(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___AnchorTransform_5 = value;
Il2CppCodeGenWriteBarrier((&___AnchorTransform_5), value);
}
inline static int32_t get_offset_of_Scale_6() { return static_cast<int32_t>(offsetof(ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39, ___Scale_6)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_Scale_6() const { return ___Scale_6; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_Scale_6() { return &___Scale_6; }
inline void set_Scale_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___Scale_6 = value;
}
inline static int32_t get_offset_of_Offset_7() { return static_cast<int32_t>(offsetof(ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39, ___Offset_7)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_Offset_7() const { return ___Offset_7; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_Offset_7() { return &___Offset_7; }
inline void set_Offset_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___Offset_7 = value;
}
inline static int32_t get_offset_of_OnlyInEditMode_8() { return static_cast<int32_t>(offsetof(ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39, ___OnlyInEditMode_8)); }
inline bool get_OnlyInEditMode_8() const { return ___OnlyInEditMode_8; }
inline bool* get_address_of_OnlyInEditMode_8() { return &___OnlyInEditMode_8; }
inline void set_OnlyInEditMode_8(bool value)
{
___OnlyInEditMode_8 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BUTTONBACKGROUNDSIZEOFFSET_TFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39_H
#ifndef BUTTONBORDER_TED22AFC5185684EBBB157988C34E39CE4D8EFBC4_H
#define BUTTONBORDER_TED22AFC5185684EBBB157988C34E39CE4D8EFBC4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder
struct ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::BasePixelScale
float ___BasePixelScale_4;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::AnchorTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___AnchorTransform_5;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::Weight
float ___Weight_6;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::Depth
float ___Depth_7;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::Alignment
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___Alignment_8;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::PositionOffset
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___PositionOffset_9;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::AddCorner
bool ___AddCorner_10;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::OnlyInEditMode
bool ___OnlyInEditMode_11;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::scale
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___scale_12;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::startPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___startPosition_13;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::weighDirection
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___weighDirection_14;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::localPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___localPosition_15;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::anchorTransformLocalPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___anchorTransformLocalPosition_16;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Layout.ButtonBorder::anchorTransformLocalScale
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___anchorTransformLocalScale_17;
public:
inline static int32_t get_offset_of_BasePixelScale_4() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___BasePixelScale_4)); }
inline float get_BasePixelScale_4() const { return ___BasePixelScale_4; }
inline float* get_address_of_BasePixelScale_4() { return &___BasePixelScale_4; }
inline void set_BasePixelScale_4(float value)
{
___BasePixelScale_4 = value;
}
inline static int32_t get_offset_of_AnchorTransform_5() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___AnchorTransform_5)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_AnchorTransform_5() const { return ___AnchorTransform_5; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_AnchorTransform_5() { return &___AnchorTransform_5; }
inline void set_AnchorTransform_5(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___AnchorTransform_5 = value;
Il2CppCodeGenWriteBarrier((&___AnchorTransform_5), value);
}
inline static int32_t get_offset_of_Weight_6() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___Weight_6)); }
inline float get_Weight_6() const { return ___Weight_6; }
inline float* get_address_of_Weight_6() { return &___Weight_6; }
inline void set_Weight_6(float value)
{
___Weight_6 = value;
}
inline static int32_t get_offset_of_Depth_7() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___Depth_7)); }
inline float get_Depth_7() const { return ___Depth_7; }
inline float* get_address_of_Depth_7() { return &___Depth_7; }
inline void set_Depth_7(float value)
{
___Depth_7 = value;
}
inline static int32_t get_offset_of_Alignment_8() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___Alignment_8)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_Alignment_8() const { return ___Alignment_8; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_Alignment_8() { return &___Alignment_8; }
inline void set_Alignment_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___Alignment_8 = value;
}
inline static int32_t get_offset_of_PositionOffset_9() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___PositionOffset_9)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_PositionOffset_9() const { return ___PositionOffset_9; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_PositionOffset_9() { return &___PositionOffset_9; }
inline void set_PositionOffset_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___PositionOffset_9 = value;
}
inline static int32_t get_offset_of_AddCorner_10() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___AddCorner_10)); }
inline bool get_AddCorner_10() const { return ___AddCorner_10; }
inline bool* get_address_of_AddCorner_10() { return &___AddCorner_10; }
inline void set_AddCorner_10(bool value)
{
___AddCorner_10 = value;
}
inline static int32_t get_offset_of_OnlyInEditMode_11() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___OnlyInEditMode_11)); }
inline bool get_OnlyInEditMode_11() const { return ___OnlyInEditMode_11; }
inline bool* get_address_of_OnlyInEditMode_11() { return &___OnlyInEditMode_11; }
inline void set_OnlyInEditMode_11(bool value)
{
___OnlyInEditMode_11 = value;
}
inline static int32_t get_offset_of_scale_12() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___scale_12)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_scale_12() const { return ___scale_12; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_scale_12() { return &___scale_12; }
inline void set_scale_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___scale_12 = value;
}
inline static int32_t get_offset_of_startPosition_13() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___startPosition_13)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_startPosition_13() const { return ___startPosition_13; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_startPosition_13() { return &___startPosition_13; }
inline void set_startPosition_13(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___startPosition_13 = value;
}
inline static int32_t get_offset_of_weighDirection_14() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___weighDirection_14)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_weighDirection_14() const { return ___weighDirection_14; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_weighDirection_14() { return &___weighDirection_14; }
inline void set_weighDirection_14(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___weighDirection_14 = value;
}
inline static int32_t get_offset_of_localPosition_15() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___localPosition_15)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_localPosition_15() const { return ___localPosition_15; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_localPosition_15() { return &___localPosition_15; }
inline void set_localPosition_15(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___localPosition_15 = value;
}
inline static int32_t get_offset_of_anchorTransformLocalPosition_16() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___anchorTransformLocalPosition_16)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_anchorTransformLocalPosition_16() const { return ___anchorTransformLocalPosition_16; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_anchorTransformLocalPosition_16() { return &___anchorTransformLocalPosition_16; }
inline void set_anchorTransformLocalPosition_16(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___anchorTransformLocalPosition_16 = value;
}
inline static int32_t get_offset_of_anchorTransformLocalScale_17() { return static_cast<int32_t>(offsetof(ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4, ___anchorTransformLocalScale_17)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_anchorTransformLocalScale_17() const { return ___anchorTransformLocalScale_17; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_anchorTransformLocalScale_17() { return &___anchorTransformLocalScale_17; }
inline void set_anchorTransformLocalScale_17(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___anchorTransformLocalScale_17 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BUTTONBORDER_TED22AFC5185684EBBB157988C34E39CE4D8EFBC4_H
#ifndef INTERACTABLEPOINTERSIMULATOR_TA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08_H
#define INTERACTABLEPOINTERSIMULATOR_TA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator
struct InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::Button
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * ___Button_4;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::Focus
bool ___Focus_5;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::Down
bool ___Down_6;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::Disabled
bool ___Disabled_7;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::Clicked
bool ___Clicked_8;
// System.Nullable`1<System.Boolean> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::hasFocus
Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 ___hasFocus_9;
// System.Nullable`1<System.Boolean> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::hasDown
Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 ___hasDown_10;
// System.Nullable`1<System.Boolean> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::isDisabled
Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 ___isDisabled_11;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Simulation.InteractablePointerSimulator::isClicked
bool ___isClicked_12;
public:
inline static int32_t get_offset_of_Button_4() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___Button_4)); }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * get_Button_4() const { return ___Button_4; }
inline Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F ** get_address_of_Button_4() { return &___Button_4; }
inline void set_Button_4(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F * value)
{
___Button_4 = value;
Il2CppCodeGenWriteBarrier((&___Button_4), value);
}
inline static int32_t get_offset_of_Focus_5() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___Focus_5)); }
inline bool get_Focus_5() const { return ___Focus_5; }
inline bool* get_address_of_Focus_5() { return &___Focus_5; }
inline void set_Focus_5(bool value)
{
___Focus_5 = value;
}
inline static int32_t get_offset_of_Down_6() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___Down_6)); }
inline bool get_Down_6() const { return ___Down_6; }
inline bool* get_address_of_Down_6() { return &___Down_6; }
inline void set_Down_6(bool value)
{
___Down_6 = value;
}
inline static int32_t get_offset_of_Disabled_7() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___Disabled_7)); }
inline bool get_Disabled_7() const { return ___Disabled_7; }
inline bool* get_address_of_Disabled_7() { return &___Disabled_7; }
inline void set_Disabled_7(bool value)
{
___Disabled_7 = value;
}
inline static int32_t get_offset_of_Clicked_8() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___Clicked_8)); }
inline bool get_Clicked_8() const { return ___Clicked_8; }
inline bool* get_address_of_Clicked_8() { return &___Clicked_8; }
inline void set_Clicked_8(bool value)
{
___Clicked_8 = value;
}
inline static int32_t get_offset_of_hasFocus_9() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___hasFocus_9)); }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 get_hasFocus_9() const { return ___hasFocus_9; }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 * get_address_of_hasFocus_9() { return &___hasFocus_9; }
inline void set_hasFocus_9(Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 value)
{
___hasFocus_9 = value;
}
inline static int32_t get_offset_of_hasDown_10() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___hasDown_10)); }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 get_hasDown_10() const { return ___hasDown_10; }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 * get_address_of_hasDown_10() { return &___hasDown_10; }
inline void set_hasDown_10(Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 value)
{
___hasDown_10 = value;
}
inline static int32_t get_offset_of_isDisabled_11() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___isDisabled_11)); }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 get_isDisabled_11() const { return ___isDisabled_11; }
inline Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 * get_address_of_isDisabled_11() { return &___isDisabled_11; }
inline void set_isDisabled_11(Nullable_1_t9E6A67BECE376F0623B5C857F5674A0311C41793 value)
{
___isDisabled_11 = value;
}
inline static int32_t get_offset_of_isClicked_12() { return static_cast<int32_t>(offsetof(InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08, ___isClicked_12)); }
inline bool get_isClicked_12() const { return ___isClicked_12; }
inline bool* get_address_of_isClicked_12() { return &___isClicked_12; }
inline void set_isClicked_12(bool value)
{
___isClicked_12 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEPOINTERSIMULATOR_TA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08_H
#ifndef INTERACTABLETHEMESHADERUTILS_TA21594C3F9ABEDB347F4771296F69981615AD9AA_H
#define INTERACTABLETHEMESHADERUTILS_TA21594C3F9ABEDB347F4771296F69981615AD9AA_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Themes.InteractableThemeShaderUtils
struct InteractableThemeShaderUtils_tA21594C3F9ABEDB347F4771296F69981615AD9AA : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETHEMESHADERUTILS_TA21594C3F9ABEDB347F4771296F69981615AD9AA_H
#ifndef INTERACTABLETOGGLECOLLECTION_T5528BF815891F922AC0A414F2A7B425CAB834753_H
#define INTERACTABLETOGGLECOLLECTION_T5528BF815891F922AC0A414F2A7B425CAB834753_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection
struct InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Interactable[] Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection::ToggleList
InteractableU5BU5D_t7DECD59B7F414510A54ED90548466A66F3307272* ___ToggleList_4;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection::CurrentIndex
int32_t ___CurrentIndex_5;
// UnityEngine.Events.UnityEvent Microsoft.MixedReality.Toolkit.SDK.UX.Iteractable.InteractableToggleCollection::OnSelectionEvents
UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * ___OnSelectionEvents_6;
public:
inline static int32_t get_offset_of_ToggleList_4() { return static_cast<int32_t>(offsetof(InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753, ___ToggleList_4)); }
inline InteractableU5BU5D_t7DECD59B7F414510A54ED90548466A66F3307272* get_ToggleList_4() const { return ___ToggleList_4; }
inline InteractableU5BU5D_t7DECD59B7F414510A54ED90548466A66F3307272** get_address_of_ToggleList_4() { return &___ToggleList_4; }
inline void set_ToggleList_4(InteractableU5BU5D_t7DECD59B7F414510A54ED90548466A66F3307272* value)
{
___ToggleList_4 = value;
Il2CppCodeGenWriteBarrier((&___ToggleList_4), value);
}
inline static int32_t get_offset_of_CurrentIndex_5() { return static_cast<int32_t>(offsetof(InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753, ___CurrentIndex_5)); }
inline int32_t get_CurrentIndex_5() const { return ___CurrentIndex_5; }
inline int32_t* get_address_of_CurrentIndex_5() { return &___CurrentIndex_5; }
inline void set_CurrentIndex_5(int32_t value)
{
___CurrentIndex_5 = value;
}
inline static int32_t get_offset_of_OnSelectionEvents_6() { return static_cast<int32_t>(offsetof(InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753, ___OnSelectionEvents_6)); }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * get_OnSelectionEvents_6() const { return ___OnSelectionEvents_6; }
inline UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F ** get_address_of_OnSelectionEvents_6() { return &___OnSelectionEvents_6; }
inline void set_OnSelectionEvents_6(UnityEvent_t5C6DDC2FCDF7F5C1808F1DDFBAD27A383F5FE65F * value)
{
___OnSelectionEvents_6 = value;
Il2CppCodeGenWriteBarrier((&___OnSelectionEvents_6), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLETOGGLECOLLECTION_T5528BF815891F922AC0A414F2A7B425CAB834753_H
#ifndef BILLBOARD_T276B9807B392515EF8EDBDD58099D7EE9EA15E8C_H
#define BILLBOARD_T276B9807B392515EF8EDBDD58099D7EE9EA15E8C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.Billboard
struct Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.PivotAxis Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.Billboard::pivotAxis
int32_t ___pivotAxis_4;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.Billboard::targetTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___targetTransform_5;
public:
inline static int32_t get_offset_of_pivotAxis_4() { return static_cast<int32_t>(offsetof(Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C, ___pivotAxis_4)); }
inline int32_t get_pivotAxis_4() const { return ___pivotAxis_4; }
inline int32_t* get_address_of_pivotAxis_4() { return &___pivotAxis_4; }
inline void set_pivotAxis_4(int32_t value)
{
___pivotAxis_4 = value;
}
inline static int32_t get_offset_of_targetTransform_5() { return static_cast<int32_t>(offsetof(Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C, ___targetTransform_5)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_targetTransform_5() const { return ___targetTransform_5; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_targetTransform_5() { return &___targetTransform_5; }
inline void set_targetTransform_5(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___targetTransform_5 = value;
Il2CppCodeGenWriteBarrier((&___targetTransform_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BILLBOARD_T276B9807B392515EF8EDBDD58099D7EE9EA15E8C_H
#ifndef INPUTSYSTEMGLOBALLISTENER_TE844FB51E664D3E0C6DCAE13B123689D5F40C307_H
#define INPUTSYSTEMGLOBALLISTENER_TE844FB51E664D3E0C6DCAE13B123689D5F40C307_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.Services.InputSystem.InputSystemGlobalListener
struct InputSystemGlobalListener_tE844FB51E664D3E0C6DCAE13B123689D5F40C307 : public MonoBehaviour_t4A60845CF505405AF8BE8C61CC07F75CADEF6429
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.Services.InputSystem.InputSystemGlobalListener::lateInitialize
bool ___lateInitialize_4;
// UnityEngine.WaitUntil Microsoft.MixedReality.Toolkit.Services.InputSystem.InputSystemGlobalListener::WaitUntilInputSystemValid
WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * ___WaitUntilInputSystemValid_5;
public:
inline static int32_t get_offset_of_lateInitialize_4() { return static_cast<int32_t>(offsetof(InputSystemGlobalListener_tE844FB51E664D3E0C6DCAE13B123689D5F40C307, ___lateInitialize_4)); }
inline bool get_lateInitialize_4() const { return ___lateInitialize_4; }
inline bool* get_address_of_lateInitialize_4() { return &___lateInitialize_4; }
inline void set_lateInitialize_4(bool value)
{
___lateInitialize_4 = value;
}
inline static int32_t get_offset_of_WaitUntilInputSystemValid_5() { return static_cast<int32_t>(offsetof(InputSystemGlobalListener_tE844FB51E664D3E0C6DCAE13B123689D5F40C307, ___WaitUntilInputSystemValid_5)); }
inline WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * get_WaitUntilInputSystemValid_5() const { return ___WaitUntilInputSystemValid_5; }
inline WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F ** get_address_of_WaitUntilInputSystemValid_5() { return &___WaitUntilInputSystemValid_5; }
inline void set_WaitUntilInputSystemValid_5(WaitUntil_t012561515C0E1D3DEA19DB3A05444B020C68E13F * value)
{
___WaitUntilInputSystemValid_5 = value;
Il2CppCodeGenWriteBarrier((&___WaitUntilInputSystemValid_5), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INPUTSYSTEMGLOBALLISTENER_TE844FB51E664D3E0C6DCAE13B123689D5F40C307_H
#ifndef BASEINPUTHANDLER_T76A51161066CE34CDB9828D361A1A0F7A2F76EC7_H
#define BASEINPUTHANDLER_T76A51161066CE34CDB9828D361A1A0F7A2F76EC7_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.BaseInputHandler
struct BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7 : public InputSystemGlobalListener_tE844FB51E664D3E0C6DCAE13B123689D5F40C307
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.BaseInputHandler::isFocusRequired
bool ___isFocusRequired_6;
public:
inline static int32_t get_offset_of_isFocusRequired_6() { return static_cast<int32_t>(offsetof(BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7, ___isFocusRequired_6)); }
inline bool get_isFocusRequired_6() const { return ___isFocusRequired_6; }
inline bool* get_address_of_isFocusRequired_6() { return &___isFocusRequired_6; }
inline void set_isFocusRequired_6(bool value)
{
___isFocusRequired_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BASEINPUTHANDLER_T76A51161066CE34CDB9828D361A1A0F7A2F76EC7_H
#ifndef CONTROLLERPOSESYNCHRONIZER_T8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C_H
#define CONTROLLERPOSESYNCHRONIZER_T8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer
struct ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C : public InputSystemGlobalListener_tE844FB51E664D3E0C6DCAE13B123689D5F40C307
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.Handedness Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::handedness
uint8_t ___handedness_6;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::destroyOnSourceLost
bool ___destroyOnSourceLost_7;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::<IsTracked>k__BackingField
bool ___U3CIsTrackedU3Ek__BackingField_8;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Devices.TrackingState Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::TrackingState
int32_t ___TrackingState_9;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.Devices.IMixedRealityController Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::controller
RuntimeObject* ___controller_10;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::useSourcePoseData
bool ___useSourcePoseData_11;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.ControllerPoseSynchronizer::poseAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___poseAction_12;
public:
inline static int32_t get_offset_of_handedness_6() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___handedness_6)); }
inline uint8_t get_handedness_6() const { return ___handedness_6; }
inline uint8_t* get_address_of_handedness_6() { return &___handedness_6; }
inline void set_handedness_6(uint8_t value)
{
___handedness_6 = value;
}
inline static int32_t get_offset_of_destroyOnSourceLost_7() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___destroyOnSourceLost_7)); }
inline bool get_destroyOnSourceLost_7() const { return ___destroyOnSourceLost_7; }
inline bool* get_address_of_destroyOnSourceLost_7() { return &___destroyOnSourceLost_7; }
inline void set_destroyOnSourceLost_7(bool value)
{
___destroyOnSourceLost_7 = value;
}
inline static int32_t get_offset_of_U3CIsTrackedU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___U3CIsTrackedU3Ek__BackingField_8)); }
inline bool get_U3CIsTrackedU3Ek__BackingField_8() const { return ___U3CIsTrackedU3Ek__BackingField_8; }
inline bool* get_address_of_U3CIsTrackedU3Ek__BackingField_8() { return &___U3CIsTrackedU3Ek__BackingField_8; }
inline void set_U3CIsTrackedU3Ek__BackingField_8(bool value)
{
___U3CIsTrackedU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_TrackingState_9() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___TrackingState_9)); }
inline int32_t get_TrackingState_9() const { return ___TrackingState_9; }
inline int32_t* get_address_of_TrackingState_9() { return &___TrackingState_9; }
inline void set_TrackingState_9(int32_t value)
{
___TrackingState_9 = value;
}
inline static int32_t get_offset_of_controller_10() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___controller_10)); }
inline RuntimeObject* get_controller_10() const { return ___controller_10; }
inline RuntimeObject** get_address_of_controller_10() { return &___controller_10; }
inline void set_controller_10(RuntimeObject* value)
{
___controller_10 = value;
Il2CppCodeGenWriteBarrier((&___controller_10), value);
}
inline static int32_t get_offset_of_useSourcePoseData_11() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___useSourcePoseData_11)); }
inline bool get_useSourcePoseData_11() const { return ___useSourcePoseData_11; }
inline bool* get_address_of_useSourcePoseData_11() { return &___useSourcePoseData_11; }
inline void set_useSourcePoseData_11(bool value)
{
___useSourcePoseData_11 = value;
}
inline static int32_t get_offset_of_poseAction_12() { return static_cast<int32_t>(offsetof(ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C, ___poseAction_12)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_poseAction_12() const { return ___poseAction_12; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_poseAction_12() { return &___poseAction_12; }
inline void set_poseAction_12(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___poseAction_12 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // CONTROLLERPOSESYNCHRONIZER_T8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C_H
#ifndef DRAGANDDROPHANDLER_T914F46CF879F2776DA26A38BE3D400150CFBED1A_H
#define DRAGANDDROPHANDLER_T914F46CF879F2776DA26A38BE3D400150CFBED1A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler
struct DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A : public BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::dragAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___dragAction_6;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.MixedRealityInputAction Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::dragPositionAction
MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 ___dragPositionAction_7;
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_8;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::distanceScale
float ___distanceScale_9;
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler_RotationModeEnum Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::rotationMode
int32_t ___rotationMode_10;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::positionLerpSpeed
float ___positionLerpSpeed_11;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::rotationLerpSpeed
float ___rotationLerpSpeed_12;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::isDragging
bool ___isDragging_13;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::isDraggingEnabled
bool ___isDraggingEnabled_14;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::isDraggingWithSourcePose
bool ___isDraggingWithSourcePose_15;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::stickLength
float ___stickLength_16;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::previousPointerPositionHeadSpace
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___previousPointerPositionHeadSpace_17;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::handRefDistance
float ___handRefDistance_18;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::objectReferenceDistance
float ___objectReferenceDistance_19;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::objectReferenceDirection
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___objectReferenceDirection_20;
// UnityEngine.Quaternion Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::gazeAngularOffset
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___gazeAngularOffset_21;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::objectReferenceUp
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___objectReferenceUp_22;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::objectReferenceForward
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___objectReferenceForward_23;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::objectReferenceGrabPoint
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___objectReferenceGrabPoint_24;
// UnityEngine.Vector3 Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::draggingPosition
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___draggingPosition_25;
// UnityEngine.Quaternion Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::draggingRotation
Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 ___draggingRotation_26;
// UnityEngine.Rigidbody Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::hostRigidbody
Rigidbody_tE0A58EE5A1F7DC908EFFB4F0D795AC9552A750A5 * ___hostRigidbody_27;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::hostRigidbodyWasKinematic
bool ___hostRigidbodyWasKinematic_28;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityPointer Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::currentPointer
RuntimeObject* ___currentPointer_29;
// Microsoft.MixedReality.Toolkit.Core.Interfaces.InputSystem.IMixedRealityInputSource Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::currentInputSource
RuntimeObject* ___currentInputSource_30;
// System.Single Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.DragAndDropHandler::zPushTolerance
float ___zPushTolerance_31;
public:
inline static int32_t get_offset_of_dragAction_6() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___dragAction_6)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_dragAction_6() const { return ___dragAction_6; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_dragAction_6() { return &___dragAction_6; }
inline void set_dragAction_6(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___dragAction_6 = value;
}
inline static int32_t get_offset_of_dragPositionAction_7() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___dragPositionAction_7)); }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 get_dragPositionAction_7() const { return ___dragPositionAction_7; }
inline MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 * get_address_of_dragPositionAction_7() { return &___dragPositionAction_7; }
inline void set_dragPositionAction_7(MixedRealityInputAction_tB87A712377383583B43FC255F442492403992C96 value)
{
___dragPositionAction_7 = value;
}
inline static int32_t get_offset_of_hostTransform_8() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___hostTransform_8)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_8() const { return ___hostTransform_8; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_8() { return &___hostTransform_8; }
inline void set_hostTransform_8(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_8 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_8), value);
}
inline static int32_t get_offset_of_distanceScale_9() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___distanceScale_9)); }
inline float get_distanceScale_9() const { return ___distanceScale_9; }
inline float* get_address_of_distanceScale_9() { return &___distanceScale_9; }
inline void set_distanceScale_9(float value)
{
___distanceScale_9 = value;
}
inline static int32_t get_offset_of_rotationMode_10() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___rotationMode_10)); }
inline int32_t get_rotationMode_10() const { return ___rotationMode_10; }
inline int32_t* get_address_of_rotationMode_10() { return &___rotationMode_10; }
inline void set_rotationMode_10(int32_t value)
{
___rotationMode_10 = value;
}
inline static int32_t get_offset_of_positionLerpSpeed_11() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___positionLerpSpeed_11)); }
inline float get_positionLerpSpeed_11() const { return ___positionLerpSpeed_11; }
inline float* get_address_of_positionLerpSpeed_11() { return &___positionLerpSpeed_11; }
inline void set_positionLerpSpeed_11(float value)
{
___positionLerpSpeed_11 = value;
}
inline static int32_t get_offset_of_rotationLerpSpeed_12() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___rotationLerpSpeed_12)); }
inline float get_rotationLerpSpeed_12() const { return ___rotationLerpSpeed_12; }
inline float* get_address_of_rotationLerpSpeed_12() { return &___rotationLerpSpeed_12; }
inline void set_rotationLerpSpeed_12(float value)
{
___rotationLerpSpeed_12 = value;
}
inline static int32_t get_offset_of_isDragging_13() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___isDragging_13)); }
inline bool get_isDragging_13() const { return ___isDragging_13; }
inline bool* get_address_of_isDragging_13() { return &___isDragging_13; }
inline void set_isDragging_13(bool value)
{
___isDragging_13 = value;
}
inline static int32_t get_offset_of_isDraggingEnabled_14() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___isDraggingEnabled_14)); }
inline bool get_isDraggingEnabled_14() const { return ___isDraggingEnabled_14; }
inline bool* get_address_of_isDraggingEnabled_14() { return &___isDraggingEnabled_14; }
inline void set_isDraggingEnabled_14(bool value)
{
___isDraggingEnabled_14 = value;
}
inline static int32_t get_offset_of_isDraggingWithSourcePose_15() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___isDraggingWithSourcePose_15)); }
inline bool get_isDraggingWithSourcePose_15() const { return ___isDraggingWithSourcePose_15; }
inline bool* get_address_of_isDraggingWithSourcePose_15() { return &___isDraggingWithSourcePose_15; }
inline void set_isDraggingWithSourcePose_15(bool value)
{
___isDraggingWithSourcePose_15 = value;
}
inline static int32_t get_offset_of_stickLength_16() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___stickLength_16)); }
inline float get_stickLength_16() const { return ___stickLength_16; }
inline float* get_address_of_stickLength_16() { return &___stickLength_16; }
inline void set_stickLength_16(float value)
{
___stickLength_16 = value;
}
inline static int32_t get_offset_of_previousPointerPositionHeadSpace_17() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___previousPointerPositionHeadSpace_17)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_previousPointerPositionHeadSpace_17() const { return ___previousPointerPositionHeadSpace_17; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_previousPointerPositionHeadSpace_17() { return &___previousPointerPositionHeadSpace_17; }
inline void set_previousPointerPositionHeadSpace_17(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___previousPointerPositionHeadSpace_17 = value;
}
inline static int32_t get_offset_of_handRefDistance_18() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___handRefDistance_18)); }
inline float get_handRefDistance_18() const { return ___handRefDistance_18; }
inline float* get_address_of_handRefDistance_18() { return &___handRefDistance_18; }
inline void set_handRefDistance_18(float value)
{
___handRefDistance_18 = value;
}
inline static int32_t get_offset_of_objectReferenceDistance_19() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___objectReferenceDistance_19)); }
inline float get_objectReferenceDistance_19() const { return ___objectReferenceDistance_19; }
inline float* get_address_of_objectReferenceDistance_19() { return &___objectReferenceDistance_19; }
inline void set_objectReferenceDistance_19(float value)
{
___objectReferenceDistance_19 = value;
}
inline static int32_t get_offset_of_objectReferenceDirection_20() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___objectReferenceDirection_20)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_objectReferenceDirection_20() const { return ___objectReferenceDirection_20; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_objectReferenceDirection_20() { return &___objectReferenceDirection_20; }
inline void set_objectReferenceDirection_20(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___objectReferenceDirection_20 = value;
}
inline static int32_t get_offset_of_gazeAngularOffset_21() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___gazeAngularOffset_21)); }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 get_gazeAngularOffset_21() const { return ___gazeAngularOffset_21; }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * get_address_of_gazeAngularOffset_21() { return &___gazeAngularOffset_21; }
inline void set_gazeAngularOffset_21(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 value)
{
___gazeAngularOffset_21 = value;
}
inline static int32_t get_offset_of_objectReferenceUp_22() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___objectReferenceUp_22)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_objectReferenceUp_22() const { return ___objectReferenceUp_22; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_objectReferenceUp_22() { return &___objectReferenceUp_22; }
inline void set_objectReferenceUp_22(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___objectReferenceUp_22 = value;
}
inline static int32_t get_offset_of_objectReferenceForward_23() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___objectReferenceForward_23)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_objectReferenceForward_23() const { return ___objectReferenceForward_23; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_objectReferenceForward_23() { return &___objectReferenceForward_23; }
inline void set_objectReferenceForward_23(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___objectReferenceForward_23 = value;
}
inline static int32_t get_offset_of_objectReferenceGrabPoint_24() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___objectReferenceGrabPoint_24)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_objectReferenceGrabPoint_24() const { return ___objectReferenceGrabPoint_24; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_objectReferenceGrabPoint_24() { return &___objectReferenceGrabPoint_24; }
inline void set_objectReferenceGrabPoint_24(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___objectReferenceGrabPoint_24 = value;
}
inline static int32_t get_offset_of_draggingPosition_25() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___draggingPosition_25)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_draggingPosition_25() const { return ___draggingPosition_25; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_draggingPosition_25() { return &___draggingPosition_25; }
inline void set_draggingPosition_25(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___draggingPosition_25 = value;
}
inline static int32_t get_offset_of_draggingRotation_26() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___draggingRotation_26)); }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 get_draggingRotation_26() const { return ___draggingRotation_26; }
inline Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 * get_address_of_draggingRotation_26() { return &___draggingRotation_26; }
inline void set_draggingRotation_26(Quaternion_t319F3319A7D43FFA5D819AD6C0A98851F0095357 value)
{
___draggingRotation_26 = value;
}
inline static int32_t get_offset_of_hostRigidbody_27() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___hostRigidbody_27)); }
inline Rigidbody_tE0A58EE5A1F7DC908EFFB4F0D795AC9552A750A5 * get_hostRigidbody_27() const { return ___hostRigidbody_27; }
inline Rigidbody_tE0A58EE5A1F7DC908EFFB4F0D795AC9552A750A5 ** get_address_of_hostRigidbody_27() { return &___hostRigidbody_27; }
inline void set_hostRigidbody_27(Rigidbody_tE0A58EE5A1F7DC908EFFB4F0D795AC9552A750A5 * value)
{
___hostRigidbody_27 = value;
Il2CppCodeGenWriteBarrier((&___hostRigidbody_27), value);
}
inline static int32_t get_offset_of_hostRigidbodyWasKinematic_28() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___hostRigidbodyWasKinematic_28)); }
inline bool get_hostRigidbodyWasKinematic_28() const { return ___hostRigidbodyWasKinematic_28; }
inline bool* get_address_of_hostRigidbodyWasKinematic_28() { return &___hostRigidbodyWasKinematic_28; }
inline void set_hostRigidbodyWasKinematic_28(bool value)
{
___hostRigidbodyWasKinematic_28 = value;
}
inline static int32_t get_offset_of_currentPointer_29() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___currentPointer_29)); }
inline RuntimeObject* get_currentPointer_29() const { return ___currentPointer_29; }
inline RuntimeObject** get_address_of_currentPointer_29() { return &___currentPointer_29; }
inline void set_currentPointer_29(RuntimeObject* value)
{
___currentPointer_29 = value;
Il2CppCodeGenWriteBarrier((&___currentPointer_29), value);
}
inline static int32_t get_offset_of_currentInputSource_30() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___currentInputSource_30)); }
inline RuntimeObject* get_currentInputSource_30() const { return ___currentInputSource_30; }
inline RuntimeObject** get_address_of_currentInputSource_30() { return &___currentInputSource_30; }
inline void set_currentInputSource_30(RuntimeObject* value)
{
___currentInputSource_30 = value;
Il2CppCodeGenWriteBarrier((&___currentInputSource_30), value);
}
inline static int32_t get_offset_of_zPushTolerance_31() { return static_cast<int32_t>(offsetof(DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A, ___zPushTolerance_31)); }
inline float get_zPushTolerance_31() const { return ___zPushTolerance_31; }
inline float* get_address_of_zPushTolerance_31() { return &___zPushTolerance_31; }
inline void set_zPushTolerance_31(float value)
{
___zPushTolerance_31 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // DRAGANDDROPHANDLER_T914F46CF879F2776DA26A38BE3D400150CFBED1A_H
#ifndef TELEPORTHOTSPOT_TDC1245F2CDB014498D35314EA7417F94C5B72307_H
#define TELEPORTHOTSPOT_TDC1245F2CDB014498D35314EA7417F94C5B72307_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.TeleportHotSpot
struct TeleportHotSpot_tDC1245F2CDB014498D35314EA7417F94C5B72307 : public BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.TeleportHotSpot::overrideOrientation
bool ___overrideOrientation_6;
public:
inline static int32_t get_offset_of_overrideOrientation_6() { return static_cast<int32_t>(offsetof(TeleportHotSpot_tDC1245F2CDB014498D35314EA7417F94C5B72307, ___overrideOrientation_6)); }
inline bool get_overrideOrientation_6() const { return ___overrideOrientation_6; }
inline bool* get_address_of_overrideOrientation_6() { return &___overrideOrientation_6; }
inline void set_overrideOrientation_6(bool value)
{
___overrideOrientation_6 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // TELEPORTHOTSPOT_TDC1245F2CDB014498D35314EA7417F94C5B72307_H
#ifndef GRIDOBJECTCOLLECTION_T3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02_H
#define GRIDOBJECTCOLLECTION_T3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection
struct GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02 : public BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947
{
public:
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ObjectOrientationSurfaceType Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::surfaceType
int32_t ___surfaceType_8;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.OrientationType Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::orientType
int32_t ___orientType_9;
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.LayoutOrder Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::layout
int32_t ___layout_10;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::radius
float ___radius_11;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::radialRange
float ___radialRange_12;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::rows
int32_t ___rows_13;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::cellWidth
float ___cellWidth_14;
// System.Single Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::cellHeight
float ___cellHeight_15;
// UnityEngine.Mesh Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::<SphereMesh>k__BackingField
Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * ___U3CSphereMeshU3Ek__BackingField_16;
// UnityEngine.Mesh Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::<CylinderMesh>k__BackingField
Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * ___U3CCylinderMeshU3Ek__BackingField_17;
// System.Int32 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::Columns
int32_t ___Columns_18;
// UnityEngine.Vector2 Microsoft.MixedReality.Toolkit.SDK.UX.Collections.GridObjectCollection::HalfCell
Vector2_tA85D2DD88578276CA8A8796756458277E72D073D ___HalfCell_19;
public:
inline static int32_t get_offset_of_surfaceType_8() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___surfaceType_8)); }
inline int32_t get_surfaceType_8() const { return ___surfaceType_8; }
inline int32_t* get_address_of_surfaceType_8() { return &___surfaceType_8; }
inline void set_surfaceType_8(int32_t value)
{
___surfaceType_8 = value;
}
inline static int32_t get_offset_of_orientType_9() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___orientType_9)); }
inline int32_t get_orientType_9() const { return ___orientType_9; }
inline int32_t* get_address_of_orientType_9() { return &___orientType_9; }
inline void set_orientType_9(int32_t value)
{
___orientType_9 = value;
}
inline static int32_t get_offset_of_layout_10() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___layout_10)); }
inline int32_t get_layout_10() const { return ___layout_10; }
inline int32_t* get_address_of_layout_10() { return &___layout_10; }
inline void set_layout_10(int32_t value)
{
___layout_10 = value;
}
inline static int32_t get_offset_of_radius_11() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___radius_11)); }
inline float get_radius_11() const { return ___radius_11; }
inline float* get_address_of_radius_11() { return &___radius_11; }
inline void set_radius_11(float value)
{
___radius_11 = value;
}
inline static int32_t get_offset_of_radialRange_12() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___radialRange_12)); }
inline float get_radialRange_12() const { return ___radialRange_12; }
inline float* get_address_of_radialRange_12() { return &___radialRange_12; }
inline void set_radialRange_12(float value)
{
___radialRange_12 = value;
}
inline static int32_t get_offset_of_rows_13() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___rows_13)); }
inline int32_t get_rows_13() const { return ___rows_13; }
inline int32_t* get_address_of_rows_13() { return &___rows_13; }
inline void set_rows_13(int32_t value)
{
___rows_13 = value;
}
inline static int32_t get_offset_of_cellWidth_14() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___cellWidth_14)); }
inline float get_cellWidth_14() const { return ___cellWidth_14; }
inline float* get_address_of_cellWidth_14() { return &___cellWidth_14; }
inline void set_cellWidth_14(float value)
{
___cellWidth_14 = value;
}
inline static int32_t get_offset_of_cellHeight_15() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___cellHeight_15)); }
inline float get_cellHeight_15() const { return ___cellHeight_15; }
inline float* get_address_of_cellHeight_15() { return &___cellHeight_15; }
inline void set_cellHeight_15(float value)
{
___cellHeight_15 = value;
}
inline static int32_t get_offset_of_U3CSphereMeshU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___U3CSphereMeshU3Ek__BackingField_16)); }
inline Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * get_U3CSphereMeshU3Ek__BackingField_16() const { return ___U3CSphereMeshU3Ek__BackingField_16; }
inline Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C ** get_address_of_U3CSphereMeshU3Ek__BackingField_16() { return &___U3CSphereMeshU3Ek__BackingField_16; }
inline void set_U3CSphereMeshU3Ek__BackingField_16(Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * value)
{
___U3CSphereMeshU3Ek__BackingField_16 = value;
Il2CppCodeGenWriteBarrier((&___U3CSphereMeshU3Ek__BackingField_16), value);
}
inline static int32_t get_offset_of_U3CCylinderMeshU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___U3CCylinderMeshU3Ek__BackingField_17)); }
inline Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * get_U3CCylinderMeshU3Ek__BackingField_17() const { return ___U3CCylinderMeshU3Ek__BackingField_17; }
inline Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C ** get_address_of_U3CCylinderMeshU3Ek__BackingField_17() { return &___U3CCylinderMeshU3Ek__BackingField_17; }
inline void set_U3CCylinderMeshU3Ek__BackingField_17(Mesh_t6106B8D8E4C691321581AB0445552EC78B947B8C * value)
{
___U3CCylinderMeshU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((&___U3CCylinderMeshU3Ek__BackingField_17), value);
}
inline static int32_t get_offset_of_Columns_18() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___Columns_18)); }
inline int32_t get_Columns_18() const { return ___Columns_18; }
inline int32_t* get_address_of_Columns_18() { return &___Columns_18; }
inline void set_Columns_18(int32_t value)
{
___Columns_18 = value;
}
inline static int32_t get_offset_of_HalfCell_19() { return static_cast<int32_t>(offsetof(GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02, ___HalfCell_19)); }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D get_HalfCell_19() const { return ___HalfCell_19; }
inline Vector2_tA85D2DD88578276CA8A8796756458277E72D073D * get_address_of_HalfCell_19() { return &___HalfCell_19; }
inline void set_HalfCell_19(Vector2_tA85D2DD88578276CA8A8796756458277E72D073D value)
{
___HalfCell_19 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GRIDOBJECTCOLLECTION_T3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02_H
#ifndef INTERACTABLERECEIVER_TCBA330A2D15646A48C38E1C682AA6F9C224EACE1_H
#define INTERACTABLERECEIVER_TCBA330A2D15646A48C38E1C682AA6F9C224EACE1_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableReceiver
struct InteractableReceiver_tCBA330A2D15646A48C38E1C682AA6F9C224EACE1 : public ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableReceiver::Events
List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * ___Events_7;
public:
inline static int32_t get_offset_of_Events_7() { return static_cast<int32_t>(offsetof(InteractableReceiver_tCBA330A2D15646A48C38E1C682AA6F9C224EACE1, ___Events_7)); }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * get_Events_7() const { return ___Events_7; }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD ** get_address_of_Events_7() { return &___Events_7; }
inline void set_Events_7(List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * value)
{
___Events_7 = value;
Il2CppCodeGenWriteBarrier((&___Events_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLERECEIVER_TCBA330A2D15646A48C38E1C682AA6F9C224EACE1_H
#ifndef INTERACTABLERECEIVERLIST_T42329C8163506CBBCF939C5B707651CAD6C2FF21_H
#define INTERACTABLERECEIVERLIST_T42329C8163506CBBCF939C5B707651CAD6C2FF21_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableReceiverList
struct InteractableReceiverList_t42329C8163506CBBCF939C5B707651CAD6C2FF21 : public ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8
{
public:
// System.Collections.Generic.List`1<Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableEvent> Microsoft.MixedReality.Toolkit.SDK.UX.Interactable.Events.InteractableReceiverList::Events
List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * ___Events_7;
public:
inline static int32_t get_offset_of_Events_7() { return static_cast<int32_t>(offsetof(InteractableReceiverList_t42329C8163506CBBCF939C5B707651CAD6C2FF21, ___Events_7)); }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * get_Events_7() const { return ___Events_7; }
inline List_1_tBA74A0328736138DD1885050761DC624E57DDAAD ** get_address_of_Events_7() { return &___Events_7; }
inline void set_Events_7(List_1_tBA74A0328736138DD1885050761DC624E57DDAAD * value)
{
___Events_7 = value;
Il2CppCodeGenWriteBarrier((&___Events_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLERECEIVERLIST_T42329C8163506CBBCF939C5B707651CAD6C2FF21_H
#ifndef INTERACTABLEHIGHLIGHT_T1238EE825B307C5A2888755973B087FEF0AA29E3_H
#define INTERACTABLEHIGHLIGHT_T1238EE825B307C5A2888755973B087FEF0AA29E3_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight
struct InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3 : public BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4
{
public:
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::highlight
bool ___highlight_6;
// UnityEngine.Renderer[] Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::targetRenderers
RendererU5BU5D_t711BACBBBFC0E06179ADB8932DBA208665108C93* ___targetRenderers_7;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::highlightColorProperty
String_t* ___highlightColorProperty_8;
// System.String Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::outlineColorProperty
String_t* ___outlineColorProperty_9;
// UnityEngine.Color Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::highlightColor
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___highlightColor_10;
// UnityEngine.Color Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::outlineColor
Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 ___outlineColor_11;
// UnityEngine.Material Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::highlightMaterial
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * ___highlightMaterial_12;
// UnityEngine.Material Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::overlayMaterial
Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * ___overlayMaterial_13;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight_HighlightedMaterialStyle Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::targetStyle
int32_t ___targetStyle_14;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight_HighlightedMaterialStyle Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::currentStyle
int32_t ___currentStyle_15;
// System.Collections.Generic.Dictionary`2<UnityEngine.Renderer,System.Collections.Generic.List`1<UnityEngine.Material>> Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.InteractableHighlight::materialsBeforeFocus
Dictionary_2_t618DC85806BD37B5A0C9136711E3217ED3BAF6A4 * ___materialsBeforeFocus_16;
public:
inline static int32_t get_offset_of_highlight_6() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___highlight_6)); }
inline bool get_highlight_6() const { return ___highlight_6; }
inline bool* get_address_of_highlight_6() { return &___highlight_6; }
inline void set_highlight_6(bool value)
{
___highlight_6 = value;
}
inline static int32_t get_offset_of_targetRenderers_7() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___targetRenderers_7)); }
inline RendererU5BU5D_t711BACBBBFC0E06179ADB8932DBA208665108C93* get_targetRenderers_7() const { return ___targetRenderers_7; }
inline RendererU5BU5D_t711BACBBBFC0E06179ADB8932DBA208665108C93** get_address_of_targetRenderers_7() { return &___targetRenderers_7; }
inline void set_targetRenderers_7(RendererU5BU5D_t711BACBBBFC0E06179ADB8932DBA208665108C93* value)
{
___targetRenderers_7 = value;
Il2CppCodeGenWriteBarrier((&___targetRenderers_7), value);
}
inline static int32_t get_offset_of_highlightColorProperty_8() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___highlightColorProperty_8)); }
inline String_t* get_highlightColorProperty_8() const { return ___highlightColorProperty_8; }
inline String_t** get_address_of_highlightColorProperty_8() { return &___highlightColorProperty_8; }
inline void set_highlightColorProperty_8(String_t* value)
{
___highlightColorProperty_8 = value;
Il2CppCodeGenWriteBarrier((&___highlightColorProperty_8), value);
}
inline static int32_t get_offset_of_outlineColorProperty_9() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___outlineColorProperty_9)); }
inline String_t* get_outlineColorProperty_9() const { return ___outlineColorProperty_9; }
inline String_t** get_address_of_outlineColorProperty_9() { return &___outlineColorProperty_9; }
inline void set_outlineColorProperty_9(String_t* value)
{
___outlineColorProperty_9 = value;
Il2CppCodeGenWriteBarrier((&___outlineColorProperty_9), value);
}
inline static int32_t get_offset_of_highlightColor_10() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___highlightColor_10)); }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_highlightColor_10() const { return ___highlightColor_10; }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_highlightColor_10() { return &___highlightColor_10; }
inline void set_highlightColor_10(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value)
{
___highlightColor_10 = value;
}
inline static int32_t get_offset_of_outlineColor_11() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___outlineColor_11)); }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 get_outlineColor_11() const { return ___outlineColor_11; }
inline Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 * get_address_of_outlineColor_11() { return &___outlineColor_11; }
inline void set_outlineColor_11(Color_t119BCA590009762C7223FDD3AF9706653AC84ED2 value)
{
___outlineColor_11 = value;
}
inline static int32_t get_offset_of_highlightMaterial_12() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___highlightMaterial_12)); }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * get_highlightMaterial_12() const { return ___highlightMaterial_12; }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 ** get_address_of_highlightMaterial_12() { return &___highlightMaterial_12; }
inline void set_highlightMaterial_12(Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * value)
{
___highlightMaterial_12 = value;
Il2CppCodeGenWriteBarrier((&___highlightMaterial_12), value);
}
inline static int32_t get_offset_of_overlayMaterial_13() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___overlayMaterial_13)); }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * get_overlayMaterial_13() const { return ___overlayMaterial_13; }
inline Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 ** get_address_of_overlayMaterial_13() { return &___overlayMaterial_13; }
inline void set_overlayMaterial_13(Material_tF7DB3BF0C24DEC2FE0CB51E5DF5053D5223C8598 * value)
{
___overlayMaterial_13 = value;
Il2CppCodeGenWriteBarrier((&___overlayMaterial_13), value);
}
inline static int32_t get_offset_of_targetStyle_14() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___targetStyle_14)); }
inline int32_t get_targetStyle_14() const { return ___targetStyle_14; }
inline int32_t* get_address_of_targetStyle_14() { return &___targetStyle_14; }
inline void set_targetStyle_14(int32_t value)
{
___targetStyle_14 = value;
}
inline static int32_t get_offset_of_currentStyle_15() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___currentStyle_15)); }
inline int32_t get_currentStyle_15() const { return ___currentStyle_15; }
inline int32_t* get_address_of_currentStyle_15() { return &___currentStyle_15; }
inline void set_currentStyle_15(int32_t value)
{
___currentStyle_15 = value;
}
inline static int32_t get_offset_of_materialsBeforeFocus_16() { return static_cast<int32_t>(offsetof(InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3, ___materialsBeforeFocus_16)); }
inline Dictionary_2_t618DC85806BD37B5A0C9136711E3217ED3BAF6A4 * get_materialsBeforeFocus_16() const { return ___materialsBeforeFocus_16; }
inline Dictionary_2_t618DC85806BD37B5A0C9136711E3217ED3BAF6A4 ** get_address_of_materialsBeforeFocus_16() { return &___materialsBeforeFocus_16; }
inline void set_materialsBeforeFocus_16(Dictionary_2_t618DC85806BD37B5A0C9136711E3217ED3BAF6A4 * value)
{
___materialsBeforeFocus_16 = value;
Il2CppCodeGenWriteBarrier((&___materialsBeforeFocus_16), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTERACTABLEHIGHLIGHT_T1238EE825B307C5A2888755973B087FEF0AA29E3_H
#ifndef MANIPULATIONHANDLER_T0CC368C96DEE7B4607B01F3022BF3787A3B8BE59_H
#define MANIPULATIONHANDLER_T0CC368C96DEE7B4607B01F3022BF3787A3B8BE59_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler
struct ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59 : public BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4
{
public:
// UnityEngine.Transform Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::hostTransform
Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * ___hostTransform_6;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_TwoHandedManipulation Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::ManipulationMode
int32_t ___ManipulationMode_7;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.RotationConstraintType Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::constraintOnRotation
int32_t ___constraintOnRotation_8;
// Microsoft.MixedReality.Toolkit.Core.Definitions.Utilities.MovementConstraintType Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::constraintOnMovement
int32_t ___constraintOnMovement_9;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_HandMovementType Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::handMoveType
int32_t ___handMoveType_10;
// UnityEngine.TextMesh Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::debugText
TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * ___debugText_11;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler_State Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::currentState
int32_t ___currentState_12;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandMoveLogic Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::m_moveLogic
TwoHandMoveLogic_t6DB990B981F675A179845D819243A61B9FFFA0D4 * ___m_moveLogic_13;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandScaleLogic Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::m_scaleLogic
TwoHandScaleLogic_tBE8EF64B1F34B0B18FAD3479D441B665D1ECE4EA * ___m_scaleLogic_14;
// Microsoft.MixedReality.Toolkit.Core.Utilities.Physics.TwoHandRotateLogic Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::m_rotateLogic
TwoHandRotateLogic_t506D0B915F28F56369FB3CB6CA202C155E9AC93E * ___m_rotateLogic_15;
// Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.GazeHandHelper Microsoft.MixedReality.Toolkit.SDK.UX.Utilities.ManipulationHandler::gazeHandHelper
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * ___gazeHandHelper_16;
public:
inline static int32_t get_offset_of_hostTransform_6() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___hostTransform_6)); }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * get_hostTransform_6() const { return ___hostTransform_6; }
inline Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA ** get_address_of_hostTransform_6() { return &___hostTransform_6; }
inline void set_hostTransform_6(Transform_tBB9E78A2766C3C83599A8F66EDE7D1FCAFC66EDA * value)
{
___hostTransform_6 = value;
Il2CppCodeGenWriteBarrier((&___hostTransform_6), value);
}
inline static int32_t get_offset_of_ManipulationMode_7() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___ManipulationMode_7)); }
inline int32_t get_ManipulationMode_7() const { return ___ManipulationMode_7; }
inline int32_t* get_address_of_ManipulationMode_7() { return &___ManipulationMode_7; }
inline void set_ManipulationMode_7(int32_t value)
{
___ManipulationMode_7 = value;
}
inline static int32_t get_offset_of_constraintOnRotation_8() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___constraintOnRotation_8)); }
inline int32_t get_constraintOnRotation_8() const { return ___constraintOnRotation_8; }
inline int32_t* get_address_of_constraintOnRotation_8() { return &___constraintOnRotation_8; }
inline void set_constraintOnRotation_8(int32_t value)
{
___constraintOnRotation_8 = value;
}
inline static int32_t get_offset_of_constraintOnMovement_9() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___constraintOnMovement_9)); }
inline int32_t get_constraintOnMovement_9() const { return ___constraintOnMovement_9; }
inline int32_t* get_address_of_constraintOnMovement_9() { return &___constraintOnMovement_9; }
inline void set_constraintOnMovement_9(int32_t value)
{
___constraintOnMovement_9 = value;
}
inline static int32_t get_offset_of_handMoveType_10() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___handMoveType_10)); }
inline int32_t get_handMoveType_10() const { return ___handMoveType_10; }
inline int32_t* get_address_of_handMoveType_10() { return &___handMoveType_10; }
inline void set_handMoveType_10(int32_t value)
{
___handMoveType_10 = value;
}
inline static int32_t get_offset_of_debugText_11() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___debugText_11)); }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * get_debugText_11() const { return ___debugText_11; }
inline TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A ** get_address_of_debugText_11() { return &___debugText_11; }
inline void set_debugText_11(TextMesh_t327D0DAFEF431170D8C2882083D442AF4D4A0E4A * value)
{
___debugText_11 = value;
Il2CppCodeGenWriteBarrier((&___debugText_11), value);
}
inline static int32_t get_offset_of_currentState_12() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___currentState_12)); }
inline int32_t get_currentState_12() const { return ___currentState_12; }
inline int32_t* get_address_of_currentState_12() { return &___currentState_12; }
inline void set_currentState_12(int32_t value)
{
___currentState_12 = value;
}
inline static int32_t get_offset_of_m_moveLogic_13() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___m_moveLogic_13)); }
inline TwoHandMoveLogic_t6DB990B981F675A179845D819243A61B9FFFA0D4 * get_m_moveLogic_13() const { return ___m_moveLogic_13; }
inline TwoHandMoveLogic_t6DB990B981F675A179845D819243A61B9FFFA0D4 ** get_address_of_m_moveLogic_13() { return &___m_moveLogic_13; }
inline void set_m_moveLogic_13(TwoHandMoveLogic_t6DB990B981F675A179845D819243A61B9FFFA0D4 * value)
{
___m_moveLogic_13 = value;
Il2CppCodeGenWriteBarrier((&___m_moveLogic_13), value);
}
inline static int32_t get_offset_of_m_scaleLogic_14() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___m_scaleLogic_14)); }
inline TwoHandScaleLogic_tBE8EF64B1F34B0B18FAD3479D441B665D1ECE4EA * get_m_scaleLogic_14() const { return ___m_scaleLogic_14; }
inline TwoHandScaleLogic_tBE8EF64B1F34B0B18FAD3479D441B665D1ECE4EA ** get_address_of_m_scaleLogic_14() { return &___m_scaleLogic_14; }
inline void set_m_scaleLogic_14(TwoHandScaleLogic_tBE8EF64B1F34B0B18FAD3479D441B665D1ECE4EA * value)
{
___m_scaleLogic_14 = value;
Il2CppCodeGenWriteBarrier((&___m_scaleLogic_14), value);
}
inline static int32_t get_offset_of_m_rotateLogic_15() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___m_rotateLogic_15)); }
inline TwoHandRotateLogic_t506D0B915F28F56369FB3CB6CA202C155E9AC93E * get_m_rotateLogic_15() const { return ___m_rotateLogic_15; }
inline TwoHandRotateLogic_t506D0B915F28F56369FB3CB6CA202C155E9AC93E ** get_address_of_m_rotateLogic_15() { return &___m_rotateLogic_15; }
inline void set_m_rotateLogic_15(TwoHandRotateLogic_t506D0B915F28F56369FB3CB6CA202C155E9AC93E * value)
{
___m_rotateLogic_15 = value;
Il2CppCodeGenWriteBarrier((&___m_rotateLogic_15), value);
}
inline static int32_t get_offset_of_gazeHandHelper_16() { return static_cast<int32_t>(offsetof(ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59, ___gazeHandHelper_16)); }
inline GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * get_gazeHandHelper_16() const { return ___gazeHandHelper_16; }
inline GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB ** get_address_of_gazeHandHelper_16() { return &___gazeHandHelper_16; }
inline void set_gazeHandHelper_16(GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB * value)
{
___gazeHandHelper_16 = value;
Il2CppCodeGenWriteBarrier((&___gazeHandHelper_16), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MANIPULATIONHANDLER_T0CC368C96DEE7B4607B01F3022BF3787A3B8BE59_H
#ifndef POINTERCLICKHANDLER_T8AA812BBAE56D0AE04F48E534998193210FE3C9E_H
#define POINTERCLICKHANDLER_T8AA812BBAE56D0AE04F48E534998193210FE3C9E_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.PointerClickHandler
struct PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E : public BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.PointerClickHandler::onPointerUpActionEvent
InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 ___onPointerUpActionEvent_7;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.PointerClickHandler::onPointerDownActionEvent
InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 ___onPointerDownActionEvent_8;
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.InputActionEventPair Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.PointerClickHandler::onPointerClickedActionEvent
InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 ___onPointerClickedActionEvent_9;
public:
inline static int32_t get_offset_of_onPointerUpActionEvent_7() { return static_cast<int32_t>(offsetof(PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E, ___onPointerUpActionEvent_7)); }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 get_onPointerUpActionEvent_7() const { return ___onPointerUpActionEvent_7; }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 * get_address_of_onPointerUpActionEvent_7() { return &___onPointerUpActionEvent_7; }
inline void set_onPointerUpActionEvent_7(InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 value)
{
___onPointerUpActionEvent_7 = value;
}
inline static int32_t get_offset_of_onPointerDownActionEvent_8() { return static_cast<int32_t>(offsetof(PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E, ___onPointerDownActionEvent_8)); }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 get_onPointerDownActionEvent_8() const { return ___onPointerDownActionEvent_8; }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 * get_address_of_onPointerDownActionEvent_8() { return &___onPointerDownActionEvent_8; }
inline void set_onPointerDownActionEvent_8(InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 value)
{
___onPointerDownActionEvent_8 = value;
}
inline static int32_t get_offset_of_onPointerClickedActionEvent_9() { return static_cast<int32_t>(offsetof(PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E, ___onPointerClickedActionEvent_9)); }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 get_onPointerClickedActionEvent_9() const { return ___onPointerClickedActionEvent_9; }
inline InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 * get_address_of_onPointerClickedActionEvent_9() { return &___onPointerClickedActionEvent_9; }
inline void set_onPointerClickedActionEvent_9(InputActionEventPair_t749C2DCFB39C0694500B5D2DB4FB7D04CA3D7F70 value)
{
___onPointerClickedActionEvent_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // POINTERCLICKHANDLER_T8AA812BBAE56D0AE04F48E534998193210FE3C9E_H
#ifndef SPEECHINPUTHANDLER_T395239A2CD3A0AE119B2DD37AFB13390DB612362_H
#define SPEECHINPUTHANDLER_T395239A2CD3A0AE119B2DD37AFB13390DB612362_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.SpeechInputHandler
struct SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362 : public BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7
{
public:
// Microsoft.MixedReality.Toolkit.Core.Definitions.InputSystem.KeywordAndResponse[] Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.SpeechInputHandler::keywords
KeywordAndResponseU5BU5D_t1EB3C0F497A01FD1B9083B3F5AB7D74988273454* ___keywords_7;
// System.Boolean Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.SpeechInputHandler::persistentKeywords
bool ___persistentKeywords_8;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Events.UnityEvent> Microsoft.MixedReality.Toolkit.SDK.Input.Handlers.SpeechInputHandler::responses
Dictionary_2_t4E4953B226060F79300E2BBA4C6906DF3577C545 * ___responses_9;
public:
inline static int32_t get_offset_of_keywords_7() { return static_cast<int32_t>(offsetof(SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362, ___keywords_7)); }
inline KeywordAndResponseU5BU5D_t1EB3C0F497A01FD1B9083B3F5AB7D74988273454* get_keywords_7() const { return ___keywords_7; }
inline KeywordAndResponseU5BU5D_t1EB3C0F497A01FD1B9083B3F5AB7D74988273454** get_address_of_keywords_7() { return &___keywords_7; }
inline void set_keywords_7(KeywordAndResponseU5BU5D_t1EB3C0F497A01FD1B9083B3F5AB7D74988273454* value)
{
___keywords_7 = value;
Il2CppCodeGenWriteBarrier((&___keywords_7), value);
}
inline static int32_t get_offset_of_persistentKeywords_8() { return static_cast<int32_t>(offsetof(SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362, ___persistentKeywords_8)); }
inline bool get_persistentKeywords_8() const { return ___persistentKeywords_8; }
inline bool* get_address_of_persistentKeywords_8() { return &___persistentKeywords_8; }
inline void set_persistentKeywords_8(bool value)
{
___persistentKeywords_8 = value;
}
inline static int32_t get_offset_of_responses_9() { return static_cast<int32_t>(offsetof(SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362, ___responses_9)); }
inline Dictionary_2_t4E4953B226060F79300E2BBA4C6906DF3577C545 * get_responses_9() const { return ___responses_9; }
inline Dictionary_2_t4E4953B226060F79300E2BBA4C6906DF3577C545 ** get_address_of_responses_9() { return &___responses_9; }
inline void set_responses_9(Dictionary_2_t4E4953B226060F79300E2BBA4C6906DF3577C545 * value)
{
___responses_9 = value;
Il2CppCodeGenWriteBarrier((&___responses_9), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SPEECHINPUTHANDLER_T395239A2CD3A0AE119B2DD37AFB13390DB612362_H
#ifndef SCATTEROBJECTCOLLECTION_TAAC818C346CFB8DBD7083B7CBFF8BAEC6041B45D_H
#define SCATTEROBJECTCOLLECTION_TAAC818C346CFB8DBD7083B7CBFF8BAEC6041B45D_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Collections.ScatterObjectCollection
struct ScatterObjectCollection_tAAC818C346CFB8DBD7083B7CBFF8BAEC6041B45D : public GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // SCATTEROBJECTCOLLECTION_TAAC818C346CFB8DBD7083B7CBFF8BAEC6041B45D_H
#ifndef MIXEDREALITYCONTROLLERVISUALIZER_T48AF30527EA93DB678AB7EFAF3B0FF7B7F102601_H
#define MIXEDREALITYCONTROLLERVISUALIZER_T48AF30527EA93DB678AB7EFAF3B0FF7B7F102601_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Microsoft.MixedReality.Toolkit.SDK.UX.Controllers.MixedRealityControllerVisualizer
struct MixedRealityControllerVisualizer_t48AF30527EA93DB678AB7EFAF3B0FF7B7F102601 : public ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // MIXEDREALITYCONTROLLERVISUALIZER_T48AF30527EA93DB678AB7EFAF3B0FF7B7F102601_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5000 = { sizeof (MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5000[43] =
{
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_ControllerParent_0(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_Handedness_1(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_home_2(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_homePressed_3(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_homeUnpressed_4(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_menu_5(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_menuPressed_6(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_menuUnpressed_7(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_grasp_8(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_graspPressed_9(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_graspUnpressed_10(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickPress_11(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickPressed_12(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickUnpressed_13(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickX_14(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickXMin_15(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickXMax_16(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickY_17(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickYMin_18(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_thumbstickYMax_19(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_select_20(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_selectPressed_21(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_selectUnpressed_22(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadPress_23(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadPressed_24(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadUnpressed_25(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchX_26(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchXMin_27(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchXMax_28(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchY_29(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchYMin_30(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchYMax_31(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_touchpadTouchVisualizer_32(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_pointingPose_33(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasGrasped_34(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasMenuPressed_35(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasHomePressed_36(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasThumbstickPressed_37(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasTouchpadPressed_38(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_wasTouchpadTouched_39(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_lastThumbstickPosition_40(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_lastTouchpadPosition_41(),
MixedRealityControllerInfo_t478ECF3DC8853FE0F7AAB3E4230AEBE5056AFB7F::get_offset_of_lastSelectPressedAmount_42(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5001 = { sizeof (ControllerElementEnum_t153D15D9A627B60906B004E019B916EC72BA80E5)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5001[8] =
{
ControllerElementEnum_t153D15D9A627B60906B004E019B916EC72BA80E5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5002 = { sizeof (MixedRealityControllerVisualizer_t48AF30527EA93DB678AB7EFAF3B0FF7B7F102601), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5003 = { sizeof (BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5003[4] =
{
BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947::get_offset_of_U3COnCollectionUpdatedU3Ek__BackingField_4(),
BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947::get_offset_of_U3CNodeListU3Ek__BackingField_5(),
BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947::get_offset_of_ignoreInactiveTransforms_6(),
BaseObjectCollection_t23F21256523BEE3E12C0D217C078D465A55F6947::get_offset_of_sortType_7(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5004 = { sizeof (U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832), -1, sizeof(U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5004[5] =
{
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields::get_offset_of_U3CU3E9__15_0_1(),
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields::get_offset_of_U3CU3E9__15_1_2(),
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields::get_offset_of_U3CU3E9__15_2_3(),
U3CU3Ec_t79CAA028E50565169F4D59045985835031C0F832_StaticFields::get_offset_of_U3CU3E9__15_3_4(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5005 = { sizeof (LayoutOrder_t00F068619F0B6E55001173F9CC7AE33103DDCFAD)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5005[5] =
{
LayoutOrder_t00F068619F0B6E55001173F9CC7AE33103DDCFAD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5006 = { sizeof (ObjectOrientationSurfaceType_t1F1B1B789A05E2C05572C23A42AC9E6A87AB9763)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5006[5] =
{
ObjectOrientationSurfaceType_t1F1B1B789A05E2C05572C23A42AC9E6A87AB9763::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5007 = { sizeof (GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5007[12] =
{
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_surfaceType_8(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_orientType_9(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_layout_10(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_radius_11(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_radialRange_12(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_rows_13(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_cellWidth_14(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_cellHeight_15(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_U3CSphereMeshU3Ek__BackingField_16(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_U3CCylinderMeshU3Ek__BackingField_17(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_Columns_18(),
GridObjectCollection_t3B1347E3CF6FD96E2EA1181DE8E55ACB4886DE02::get_offset_of_HalfCell_19(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5008 = { sizeof (ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5008[4] =
{
ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF::get_offset_of_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF::get_offset_of_Offset_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF::get_offset_of_Radius_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ObjectCollectionNode_t7CD8C22CF30DDAC10698D2CAF4AA07B74E74FBCF::get_offset_of_Transform_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5009 = { sizeof (ScatterObjectCollection_tAAC818C346CFB8DBD7083B7CBFF8BAEC6041B45D), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5010 = { sizeof (TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5010[10] =
{
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_Columns_4(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_TileSize_5(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_Gutters_6(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_LayoutDireciton_7(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_StartPosition_8(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_Centered_9(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_DepthCalculatedBy_10(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_OnlyInEditMode_11(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_offSet_12(),
TileGridObjectCollection_t06E98B4A89D2A5819CD4A5FF66D78221CF75AEDD::get_offset_of_editorUpdated_13(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5011 = { sizeof (GridDivisions_tEE68332955F986EF4C23C2755C8EB141EC478245)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5011[3] =
{
GridDivisions_tEE68332955F986EF4C23C2755C8EB141EC478245::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5012 = { sizeof (InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5012[3] =
{
InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753::get_offset_of_ToggleList_4(),
InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753::get_offset_of_CurrentIndex_5(),
InteractableToggleCollection_t5528BF815891F922AC0A414F2A7B425CAB834753::get_offset_of_OnSelectionEvents_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5013 = { sizeof (U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5013[2] =
{
U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334::get_offset_of_itemIndex_0(),
U3CU3Ec__DisplayClass3_0_tE2091466541DC234B9C25ECCB181B3EE531D0334::get_offset_of_U3CU3E4__this_1(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5014 = { sizeof (U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5014[2] =
{
U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4::get_offset_of_itemIndex_0(),
U3CU3Ec__DisplayClass6_0_t57BB10A26CF2DCC10C47B310C577BB44F64C23E4::get_offset_of_U3CU3E4__this_1(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5015 = { sizeof (Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F), -1, sizeof(Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5015[47] =
{
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F_StaticFields::get_offset_of_inputSystem_4(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_pointers_5(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_Enabled_6(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_States_7(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_StateManager_8(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_InputAction_9(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_InputActionId_10(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_IsGlobal_11(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_Dimensions_12(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_CanSelect_13(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_CanDeselect_14(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_VoiceCommand_15(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_RequiresFocus_16(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_Profiles_17(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_OnClick_18(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_Events_19(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_runningThemesList_20(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_runningProfileSettings_21(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_forceUpdate_22(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_keywordRecognizer_23(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CrecognitionConfidenceLevelU3Ek__BackingField_24(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasFocusU3Ek__BackingField_25(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasPressU3Ek__BackingField_26(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CIsDisabledU3Ek__BackingField_27(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CIsTargetedU3Ek__BackingField_28(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CIsInteractiveU3Ek__BackingField_29(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasObservationTargetedU3Ek__BackingField_30(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasObservationU3Ek__BackingField_31(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CIsVisitedU3Ek__BackingField_32(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CIsToggledU3Ek__BackingField_33(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasGestureU3Ek__BackingField_34(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasGestureMaxU3Ek__BackingField_35(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasCollisionU3Ek__BackingField_36(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasVoiceCommandU3Ek__BackingField_37(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_U3CHasCustomU3Ek__BackingField_38(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_lastState_39(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_wasDisabled_40(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_dimensionIndex_41(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_rollOffTime_42(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_rollOffTimer_43(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_voiceCommands_44(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_handlers_45(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_globalTimer_46(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_clickTime_47(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_inputTimer_48(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_pointerInputAction_49(),
Interactable_t08F64EE39AA4010B3FA6BA816E5289C6B191782F::get_offset_of_GlobalClickOrder_50(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5016 = { sizeof (U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5016[4] =
{
U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE::get_offset_of_U3CU3E1__state_0(),
U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE::get_offset_of_U3CU3E2__current_1(),
U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE::get_offset_of_time_2(),
U3CGlobalVisualResetU3Ed__152_t0D68C06C741DAFC40D985A1D7FFA5F1ADBAE2DEE::get_offset_of_U3CU3E4__this_3(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5017 = { sizeof (U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5017[4] =
{
U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C::get_offset_of_U3CU3E1__state_0(),
U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C::get_offset_of_U3CU3E2__current_1(),
U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C::get_offset_of_time_2(),
U3CInputDownTimerU3Ed__153_t4CBE8A1567D420B7422831CBB01E4EFEB30C865C::get_offset_of_U3CU3E4__this_3(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5018 = { sizeof (InteractableActivateTheme_t4E3E6E2B2E2098C748799A201CFBDF695A6CDB6E), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5019 = { sizeof (InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5019[2] =
{
InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7::get_offset_of_lastIndex_10(),
InteractableAnimatorTheme_tCE3BCDE39C59C55E75BFEBC4E79485597BEEF8D7::get_offset_of_controller_11(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5020 = { sizeof (InteractableAudioTheme_t21F1F9DF23BB1528A0C2529CBD67FEC95B640926), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5020[1] =
{
InteractableAudioTheme_t21F1F9DF23BB1528A0C2529CBD67FEC95B640926::get_offset_of_audioSource_10(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5021 = { sizeof (InteractableColorChildrenTheme_t987A34AD020EE63E107F1D281E26C8208ED0E446), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5021[1] =
{
InteractableColorChildrenTheme_t987A34AD020EE63E107F1D281E26C8208ED0E446::get_offset_of_propertyBlocks_15(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5022 = { sizeof (BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5022[2] =
{
BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09::get_offset_of_Block_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BlocksAndRenderer_tDA788381631FD5A82EB8FEE11C4682649E96FA09::get_offset_of_Renderer_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5023 = { sizeof (InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5023[2] =
{
InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165::get_offset_of_mesh_15(),
InteractableColorTheme_tB71F072B3256F6C201BB4CFB73ACD87039DB5165::get_offset_of_text_16(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5024 = { sizeof (InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5024[2] =
{
InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D::get_offset_of_material_10(),
InteractableMaterialTheme_t292EB60EEF8F97DD64DE86A9D3F4334271FF9F6D::get_offset_of_renderer_11(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5025 = { sizeof (InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5025[2] =
{
InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3::get_offset_of_startPosition_10(),
InteractableOffsetTheme_t899D4E3714791889A8C100EE1A6EF43129367EA3::get_offset_of_hostTransform_11(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5026 = { sizeof (InteractableRotationTheme_t17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5026[1] =
{
InteractableRotationTheme_t17FD465A8C78AD6C336BAF2E4653A4B6BBDA203E::get_offset_of_hostTransform_10(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5027 = { sizeof (InteractableScaleTheme_t82A337705EAD0C1BADB7BE931AFAD824B74CAE58), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5027[1] =
{
InteractableScaleTheme_t82A337705EAD0C1BADB7BE931AFAD824B74CAE58::get_offset_of_hostTransform_10(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5028 = { sizeof (InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55), -1, sizeof(InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5028[5] =
{
InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55_StaticFields::get_offset_of_emptyValue_10(),
InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55::get_offset_of_propertyBlock_11(),
InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55::get_offset_of_shaderProperties_12(),
InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55::get_offset_of_renderer_13(),
InteractableShaderTheme_t0FD454F77949D4E0AE95CD8A4187E8EBBA241F55::get_offset_of_startValue_14(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5029 = { sizeof (InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5029[2] =
{
InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229::get_offset_of_mesh_10(),
InteractableStringTheme_tE8332794BBBDE868ABABD8F98377658293FB0229::get_offset_of_text_11(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5030 = { sizeof (InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5030[2] =
{
InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10::get_offset_of_propertyBlock_10(),
InteractableTextureTheme_tCC0E44A3C01F35E3CE27DC5D706AE4BE1E4F7D10::get_offset_of_renderer_11(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5031 = { sizeof (InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5031[10] =
{
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_Types_0(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_Name_1(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_ThemeProperties_2(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_CustomSettings_3(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_Host_4(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_Ease_5(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_NoEasing_6(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_Loaded_7(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_hasFirstState_8(),
InteractableThemeBase_tD8631340D9E07E03ECF8757DF13C0635AFE508E9::get_offset_of_lastState_9(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5032 = { sizeof (InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5032[9] =
{
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_Name_0(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_Type_1(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_Values_2(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_StartValue_3(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_PropId_4(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_ShaderOptions_5(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_ShaderOptionNames_6(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_Default_7(),
InteractableThemeProperty_tBB810FC571AEA9F441C8E00CD563A43A82031767::get_offset_of_ShaderName_8(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5033 = { sizeof (ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5033[1] =
{
ProfileSettings_t280855EF7CB930948F0D4C38EA197C5580ABBFC7::get_offset_of_ThemeSettings_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5034 = { sizeof (ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5034[1] =
{
ThemeSettings_tA877F7A7091E83A0A71FB821B4EC9EE53B4F51E7::get_offset_of_Settings_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5035 = { sizeof (ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5035[3] =
{
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7::get_offset_of_Properties_0(),
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7::get_offset_of_Target_1(),
ThemeTarget_t855F3812512040C4D0BA8A779BE609457DBDD8E7::get_offset_of_States_2(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5036 = { sizeof (InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5036[9] =
{
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_Type_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_Theme_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_Properties_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_History_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_Easing_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_NoEasing_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_IsValid_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
InteractableThemePropertySettings_t4B9D05DA5B7A1DC1BDE53E2074772CDC5D1432E7::get_offset_of_ThemeTarget_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5037 = { sizeof (InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5037[15] =
{
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Name_0(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_String_1(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Bool_2(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Int_3(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Float_4(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Texture_5(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Material_6(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_GameObject_7(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Vector2_8(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Vector3_9(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Vector4_10(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Color_11(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Quaternion_12(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_AudioClip_13(),
InteractableThemePropertyValue_t6B83A1B6053D794B6890A79089C596DE5A4D09F8::get_offset_of_Animation_14(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5038 = { sizeof (InteractableThemePropertyValueTypes_tC51FBF377DD18DB59EB3062CBAEF0E363257E7F0)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5038[18] =
{
InteractableThemePropertyValueTypes_tC51FBF377DD18DB59EB3062CBAEF0E363257E7F0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5039 = { sizeof (ShaderPropertyType_t8417A7397794F77CAEEFD96137DAB901815A7E94)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5039[7] =
{
ShaderPropertyType_t8417A7397794F77CAEEFD96137DAB901815A7E94::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5040 = { sizeof (ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A)+ sizeof (RuntimeObject), sizeof(ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A_marshaled_pinvoke), 0, 0 };
extern const int32_t g_FieldOffsetTable5040[3] =
{
ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A::get_offset_of_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A::get_offset_of_Type_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ShaderProperties_t30A85DA30D9B62D9230ECC7FEAC76C101F7C5E5A::get_offset_of_Range_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5041 = { sizeof (ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5041[2] =
{
ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4::get_offset_of_ShaderOptions_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ShaderInfo_t5BE8AA823828A165371402F3855C4083DD01FBF4::get_offset_of_Name_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5042 = { sizeof (InteractableThemeShaderUtils_tA21594C3F9ABEDB347F4771296F69981615AD9AA), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5043 = { sizeof (ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5043[3] =
{
ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3::get_offset_of_startPosition_17(),
ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3::get_offset_of_startScale_18(),
ScaleOffsetColorTheme_t4B481546AA8CBBE11351902BC56BDF1306ADE5A3::get_offset_of_hostTransform_19(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5044 = { sizeof (Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5044[4] =
{
Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162::get_offset_of_Name_4(),
Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162::get_offset_of_Settings_5(),
Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162::get_offset_of_CustomSettings_6(),
Theme_tEAF19AC1B2BD81AF4EE196A36439A9DE5726C162::get_offset_of_States_7(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5045 = { sizeof (State_tE9FE9C3D18538F16495F79F6021EAE49709914B7), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5045[5] =
{
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7::get_offset_of_Name_0(),
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7::get_offset_of_Index_1(),
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7::get_offset_of_Bit_2(),
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7::get_offset_of_Value_3(),
State_tE9FE9C3D18538F16495F79F6021EAE49709914B7::get_offset_of_ActiveIndex_4(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5046 = { sizeof (InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5046[3] =
{
InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F::get_offset_of_currentState_0(),
InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F::get_offset_of_stateList_1(),
InteractableStateModel_tF4A7B6CB9DFC8FD9B3AFFB26E4CE075A703E372F::get_offset_of_allStates_2(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5047 = { sizeof (InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5047[1] =
{
InteractableStates_tB51862D30732F5BA994C9CDC3D83F81B3D29CCD1::get_offset_of_allStates_3(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5048 = { sizeof (InteractableStateEnum_t9C4895115275AEF8182AD1443925E17328956643)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5048[16] =
{
InteractableStateEnum_t9C4895115275AEF8182AD1443925E17328956643::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5049 = { sizeof (States_t9243039669F284C2A91A5294FE41955AD9C28005), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5049[6] =
{
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_StateList_4(),
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_DefaultIndex_5(),
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_StateType_6(),
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_StateOptions_7(),
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_StateTypes_8(),
States_t9243039669F284C2A91A5294FE41955AD9C28005::get_offset_of_StateLogicName_9(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5050 = { sizeof (InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5050[9] =
{
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_Button_4(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_Focus_5(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_Down_6(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_Disabled_7(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_Clicked_8(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_hasFocus_9(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_hasDown_10(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_isDisabled_11(),
InteractablePointerSimulator_tA7FB1E7C0CA9AB5A2543560EC5FB5E3D7A582E08::get_offset_of_isClicked_12(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5051 = { sizeof (InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5051[3] =
{
InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11::get_offset_of_Target_0(),
InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11::get_offset_of_Themes_1(),
InteractableProfileItem_tCC19A2ACCFF5B2EA1263187D48D0849728BE9C11::get_offset_of_HadDefaultTheme_2(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5052 = { sizeof (ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5052[2] =
{
ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99::get_offset_of_Types_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ThemeLists_t66147BA9FD639A1D868F4B98808B9D36AD79FB99::get_offset_of_Names_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5053 = { sizeof (ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5053[3] =
{
ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C::get_offset_of_BasePixelScale_4(),
ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C::get_offset_of_ItemSize_5(),
ButtonBackgroundSize_t22F99BD9676FEAFBA430CA2BB7F4E14B833D565C::get_offset_of_OnlyInEditMode_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5054 = { sizeof (ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5054[5] =
{
ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39::get_offset_of_BasePixelScale_4(),
ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39::get_offset_of_AnchorTransform_5(),
ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39::get_offset_of_Scale_6(),
ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39::get_offset_of_Offset_7(),
ButtonBackgroundSizeOffset_tFFF1DBC944BC279FDCAE0A7E2704B3A1A68A8B39::get_offset_of_OnlyInEditMode_8(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5055 = { sizeof (ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5055[14] =
{
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_BasePixelScale_4(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_AnchorTransform_5(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_Weight_6(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_Depth_7(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_Alignment_8(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_PositionOffset_9(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_AddCorner_10(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_OnlyInEditMode_11(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_scale_12(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_startPosition_13(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_weighDirection_14(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_localPosition_15(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_anchorTransformLocalPosition_16(),
ButtonBorder_tED22AFC5185684EBBB157988C34E39CE4D8EFBC4::get_offset_of_anchorTransformLocalScale_17(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5056 = { 0, -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5057 = { sizeof (InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5057[2] =
{
InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392::get_offset_of_AudioClip_4(),
InteractableAudioReceiver_tEBD25914705287A274ED901AED63356401E63392::get_offset_of_lastState_5(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5058 = { sizeof (InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5058[6] =
{
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_Name_0(),
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_Event_1(),
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_ClassName_2(),
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_Receiver_3(),
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_Settings_4(),
InteractableEvent_t7C92F75DA7030CB9DE71D82C8223C5BA786EBE13::get_offset_of_HideUnityEvents_5(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5059 = { sizeof (EventLists_tE68A1E452D9645A6247195930A555308BB2D0427)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5059[2] =
{
EventLists_tE68A1E452D9645A6247195930A555308BB2D0427::get_offset_of_EventTypes_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
EventLists_tE68A1E452D9645A6247195930A555308BB2D0427::get_offset_of_EventNames_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5060 = { sizeof (ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F)+ sizeof (RuntimeObject), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5060[3] =
{
ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F::get_offset_of_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F::get_offset_of_HideUnityEvents_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ReceiverData_t329EA60A32BA2DC69059F5C03E0FBB5079CD300F::get_offset_of_Fields_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5061 = { sizeof (InteractableOnClickReceiver_tB791C5C1D1FA95006F8A60BA82622A7069817CE6), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5062 = { sizeof (InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5062[3] =
{
InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03::get_offset_of_OnFocusOff_4(),
InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03::get_offset_of_hadFocus_5(),
InteractableOnFocusReceiver_t68FE22258DC03E2BC3D2A0EAD1642088BD59EB03::get_offset_of_lastState_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5063 = { sizeof (InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5063[3] =
{
InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981::get_offset_of_HoldTime_4(),
InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981::get_offset_of_clickTimer_5(),
InteractableOnHoldReceiver_t751465CF91A4ADEAFA76FBEADD11E239C90A7981::get_offset_of_hasDown_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5064 = { sizeof (InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5064[3] =
{
InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1::get_offset_of_OnRelease_4(),
InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1::get_offset_of_hasDown_5(),
InteractableOnPressReceiver_tACDDB13B0B31156751836F4E44897ABA15ED55E1::get_offset_of_lastState_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5065 = { sizeof (InteractableOnToggleReceiver_tF61050B5BC25D7A5A27450C870E20392F03C01D6), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5065[1] =
{
InteractableOnToggleReceiver_tF61050B5BC25D7A5A27450C870E20392F03C01D6::get_offset_of_OnDeselect_4(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5066 = { sizeof (InteractableReceiver_tCBA330A2D15646A48C38E1C682AA6F9C224EACE1), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5066[1] =
{
InteractableReceiver_tCBA330A2D15646A48C38E1C682AA6F9C224EACE1::get_offset_of_Events_7(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5067 = { sizeof (InteractableReceiverList_t42329C8163506CBBCF939C5B707651CAD6C2FF21), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5067[1] =
{
InteractableReceiverList_t42329C8163506CBBCF939C5B707651CAD6C2FF21::get_offset_of_Events_7(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5068 = { sizeof (ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5068[4] =
{
ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51::get_offset_of_Name_0(),
ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51::get_offset_of_HideUnityEvents_1(),
ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51::get_offset_of_uEvent_2(),
ReceiverBase_tFB68E8C115FC802ECE308CEF805A4FDE31AFDF51::get_offset_of_Host_3(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5069 = { sizeof (ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5069[3] =
{
ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8::get_offset_of_Interactable_4(),
ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8::get_offset_of_InteractableSearchScope_5(),
ReceiverBaseMonoBehavior_t2BBB7ADCD98BE5968680FBCA81308745E366CAE8::get_offset_of_lastState_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5070 = { sizeof (SearchScopes_t1DFB3A9C1B771C6030E9BB614B958E6A00868019)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5070[4] =
{
SearchScopes_t1DFB3A9C1B771C6030E9BB614B958E6A00868019::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5071 = { sizeof (ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5071[11] =
{
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_hostTransform_6(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_ManipulationMode_7(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_constraintOnRotation_8(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_constraintOnMovement_9(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_handMoveType_10(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_debugText_11(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_currentState_12(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_m_moveLogic_13(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_m_scaleLogic_14(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_m_rotateLogic_15(),
ManipulationHandler_t0CC368C96DEE7B4607B01F3022BF3787A3B8BE59::get_offset_of_gazeHandHelper_16(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5072 = { sizeof (HandMovementType_t4A216DFC0C4FA1413B6324AC4A4600AA13F96369)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5072[4] =
{
HandMovementType_t4A216DFC0C4FA1413B6324AC4A4600AA13F96369::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5073 = { sizeof (TwoHandedManipulation_tF7971EB1D1545CC8E56B0F047989F14B2E2A0A60)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5073[6] =
{
TwoHandedManipulation_tF7971EB1D1545CC8E56B0F047989F14B2E2A0A60::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5074 = { sizeof (State_t1F694D6A91CE9A4A8250C7CEC9484E419DD67741)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5074[8] =
{
State_t1F694D6A91CE9A4A8250C7CEC9484E419DD67741::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5075 = { sizeof (Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5075[2] =
{
Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C::get_offset_of_pivotAxis_4(),
Billboard_t276B9807B392515EF8EDBDD58099D7EE9EA15E8C::get_offset_of_targetTransform_5(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5076 = { sizeof (GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5076[5] =
{
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB::get_offset_of_positionAvailableMap_0(),
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB::get_offset_of_handSourceMap_1(),
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB::get_offset_of_handStartPositionMap_2(),
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB::get_offset_of_handPositionMap_3(),
GazeHandHelper_t0D150910F761907A41157B448E271A41D702BCAB::get_offset_of_gazePointMap_4(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5077 = { sizeof (U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5077[5] =
{
U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951::get_offset_of_U3CU3E1__state_0(),
U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951::get_offset_of_U3CU3E2__current_1(),
U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951::get_offset_of_U3CU3El__initialThreadId_2(),
U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951::get_offset_of_U3CU3E4__this_3(),
U3CGetAllHandPositionsU3Ed__12_t06CAB90EDEE3F8AF30177582F9B6EEEE828EC951::get_offset_of_U3CU3E7__wrap1_4(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5078 = { sizeof (InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5078[11] =
{
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_highlight_6(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_targetRenderers_7(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_highlightColorProperty_8(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_outlineColorProperty_9(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_highlightColor_10(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_outlineColor_11(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_highlightMaterial_12(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_overlayMaterial_13(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_targetStyle_14(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_currentStyle_15(),
InteractableHighlight_t1238EE825B307C5A2888755973B087FEF0AA29E3::get_offset_of_materialsBeforeFocus_16(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5079 = { sizeof (HighlightedMaterialStyle_tA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5079[5] =
{
HighlightedMaterialStyle_tA18F32B9C1AEC3FA07F0992B2DE506BB5DFAAADF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5080 = { sizeof (BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5080[2] =
{
BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4::get_offset_of_focusEnabled_4(),
BaseFocusHandler_t8D534E5DCB9C87D230628E357AA6F8F8E351A5F4::get_offset_of_U3CFocusersU3Ek__BackingField_5(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5081 = { sizeof (BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5081[1] =
{
BaseInputHandler_t76A51161066CE34CDB9828D361A1A0F7A2F76EC7::get_offset_of_isFocusRequired_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5082 = { sizeof (ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5082[7] =
{
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_handedness_6(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_destroyOnSourceLost_7(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_U3CIsTrackedU3Ek__BackingField_8(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_TrackingState_9(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_controller_10(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_useSourcePoseData_11(),
ControllerPoseSynchronizer_t8E050C4F37FAAE67B0A9B3E34C5E14F5034D521C::get_offset_of_poseAction_12(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5083 = { sizeof (DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5083[26] =
{
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_dragAction_6(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_dragPositionAction_7(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_hostTransform_8(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_distanceScale_9(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_rotationMode_10(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_positionLerpSpeed_11(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_rotationLerpSpeed_12(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_isDragging_13(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_isDraggingEnabled_14(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_isDraggingWithSourcePose_15(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_stickLength_16(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_previousPointerPositionHeadSpace_17(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_handRefDistance_18(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_objectReferenceDistance_19(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_objectReferenceDirection_20(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_gazeAngularOffset_21(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_objectReferenceUp_22(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_objectReferenceForward_23(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_objectReferenceGrabPoint_24(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_draggingPosition_25(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_draggingRotation_26(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_hostRigidbody_27(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_hostRigidbodyWasKinematic_28(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_currentPointer_29(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_currentInputSource_30(),
DragAndDropHandler_t914F46CF879F2776DA26A38BE3D400150CFBED1A::get_offset_of_zPushTolerance_31(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5084 = { sizeof (RotationModeEnum_t8287A81EC80C4944880306632458EB277C95E9D4)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5084[5] =
{
RotationModeEnum_t8287A81EC80C4944880306632458EB277C95E9D4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5085 = { sizeof (PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5085[3] =
{
PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E::get_offset_of_onPointerUpActionEvent_7(),
PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E::get_offset_of_onPointerDownActionEvent_8(),
PointerClickHandler_t8AA812BBAE56D0AE04F48E534998193210FE3C9E::get_offset_of_onPointerClickedActionEvent_9(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5086 = { sizeof (SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5086[3] =
{
SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362::get_offset_of_keywords_7(),
SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362::get_offset_of_persistentKeywords_8(),
SpeechInputHandler_t395239A2CD3A0AE119B2DD37AFB13390DB612362::get_offset_of_responses_9(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5087 = { sizeof (TeleportHotSpot_tDC1245F2CDB014498D35314EA7417F94C5B72307), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5087[1] =
{
TeleportHotSpot_tDC1245F2CDB014498D35314EA7417F94C5B72307::get_offset_of_overrideOrientation_6(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5088 = { sizeof (AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660), -1, sizeof(AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5088[14] =
{
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields::get_offset_of_NeutralLowFrequency_4(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660_StaticFields::get_offset_of_NeutralHighFrequency_5(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_updateInterval_6(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_maxDistance_7(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_maxObjects_8(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_lastUpdate_9(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_audioSource_10(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_initialAudioSourceVolume_11(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_hits_12(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_previousInfluencers_13(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_lowPassFilter_14(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_highPassFilter_15(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_nativeLowPassCutoffFrequency_16(),
AudioInfluencerController_t2EB0358E5EEF5751A6545CC94A566534FDA8E660::get_offset_of_nativeHighPassCutoffFrequency_17(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5089 = { sizeof (AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5089[6] =
{
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_sourceQuality_4(),
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_influencerController_5(),
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_filterSettings_6(),
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_lowPassFilter_7(),
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_highPassFilter_8(),
AudioLoFiEffect_t2A51E9DCCA37B112EC859D6F3E923F7BA863E5DC::get_offset_of_sourceQualityFilterSettings_9(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5090 = { sizeof (AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C)+ sizeof (RuntimeObject), sizeof(AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C ), 0, 0 };
extern const int32_t g_FieldOffsetTable5090[2] =
{
AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C::get_offset_of_U3CLowPassCutoffU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AudioLoFiFilterSettings_t64888742AE555FA0F38BFA198078A216AAD3951C::get_offset_of_U3CHighPassCutoffU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5091 = { sizeof (AudioLoFiSourceQuality_tB00785F7EC587A460C1D1445614EED5568D03704)+ sizeof (RuntimeObject), sizeof(int32_t), 0, 0 };
extern const int32_t g_FieldOffsetTable5091[6] =
{
AudioLoFiSourceQuality_tB00785F7EC587A460C1D1445614EED5568D03704::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5092 = { sizeof (AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366), -1, 0, 0 };
extern const int32_t g_FieldOffsetTable5092[2] =
{
AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366::get_offset_of_cutoffFrequency_4(),
AudioOccluder_t6BDA8B81976255192C053F62DD1DD53BF81B3366::get_offset_of_volumePassThrough_5(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5093 = { sizeof (U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765), -1, sizeof(U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5093[4] =
{
U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields::get_offset_of_U32DB493A5A27752CD4B12969E50B0EB94CB3C8EE7_0(),
U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields::get_offset_of_U342CFCBAA436AAD284E2C9997397BD83197DEDFA1_1(),
U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields::get_offset_of_CD46CDCC7BDB27F008C934B0C63D21111452F976_2(),
U3CPrivateImplementationDetailsU3E_t270952CDBCB3D37A83B43179171EFCB3BF0C3765_StaticFields::get_offset_of_CF55838B41489BA73EB8B45F930C50281E3A487A_3(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5094 = { sizeof (__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC)+ sizeof (RuntimeObject), sizeof(__StaticArrayInitTypeSizeU3D16_tB97E7CED14B76D662D8444D99DFC7AA4251D25AC ), 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5095 = { sizeof (U3CModuleU3E_t641756DAEB4C73250E09DD79225E0492E0EC93AF), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5096 = { sizeof (MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D), -1, sizeof(MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5096[28] =
{
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_boundaryEventData_6(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D_StaticFields::get_offset_of_OnVisualizationChanged_7(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CSourceIdU3Ek__BackingField_8(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CSourceNameU3Ek__BackingField_9(),
0,
0,
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_boundaryVisualizationParent_12(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_ignoreRaycastLayerValue_13(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CScaleU3Ek__BackingField_14(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CBoundaryHeightU3Ek__BackingField_15(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_showFloor_16(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_showPlayArea_17(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_floorPhysicsLayer_18(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_showTrackedArea_19(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_playAreaPhysicsLayer_20(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_showBoundaryWalls_21(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_trackedAreaPhysicsLayer_22(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_showCeiling_23(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_boundaryWallsPhysicsLayer_24(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_ceilingPhysicsLayer_25(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CBoundsU3Ek__BackingField_26(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_U3CFloorHeightU3Ek__BackingField_27(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_rectangularBounds_28(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_currentFloorObject_29(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_currentPlayAreaObject_30(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_currentTrackedAreaObject_31(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_currentBoundaryWallObject_32(),
MixedRealityBoundarySystem_tABC4B4CC95DD9BB32B8D9A94BC0163672395850D::get_offset_of_currentCeilingObject_33(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5097 = { sizeof (U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB), -1, sizeof(U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5097[1] =
{
U3CU3Ec_tC2A0680726AB484F8E0E2E222EC3522A3128AEBB_StaticFields::get_offset_of_U3CU3E9_0(),
};
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5098 = { sizeof (U3CModuleU3E_t4128AA319B877B9CF69AB4915499E9717D75242E), -1, 0, 0 };
extern const Il2CppTypeDefinitionSizes g_typeDefinitionSize5099 = { sizeof (MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498), -1, sizeof(MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_StaticFields), 0 };
extern const int32_t g_FieldOffsetTable5099[6] =
{
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498::get_offset_of_diagnosticVisualizationParent_6(),
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498::get_offset_of_visualProfiler_7(),
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498::get_offset_of_showDiagnostics_8(),
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498::get_offset_of_showProfiler_9(),
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498::get_offset_of_eventData_10(),
MixedRealityDiagnosticsSystem_t2F0FC550DE4D02F88AD3772F8F715CA0C6CDC498_StaticFields::get_offset_of_OnDiagnosticsChanged_11(),
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"ncollier326@gmail.com"
] | ncollier326@gmail.com |
4e5aec59199efca22f68c6ca15273e6ed4974680 | ec0e0cab0afb207c10c6728ef6529e76e5441541 | /Project76/BoardDetect.cpp | 5f02e6f249dc8211dae5f8b6b9e467d2bd2dd599 | [] | no_license | GothenTrek/LectureRecordingSystem | 7378fc4dfe79c5f5fceb35e7dcd1ffbd826779ad | fb96678b284435b87118c518ee6a646a1a567907 | refs/heads/master | 2021-04-30T05:06:55.231422 | 2018-02-13T16:54:00 | 2018-02-13T16:54:00 | 121,408,565 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,135 | cpp | #include "BoardDetect.h"
#include <iostream>
#include "opencv2/core.hpp"
#include "opencv2/highgui/highgui.hpp"
#include "opencv2/imgproc/imgproc.hpp"
BoardDetect::BoardDetect(int tolerance):
tolerance(tolerance)
{
}
void BoardDetect::DetectBoard(cv::UMat & cameraFrame, std::pair<int,int> coordinates)
{
TemporarilyStoredFrame = cameraFrame;
//// Convert frame to grey scale
//cv::cvtColor(frame, TemporarilyStoredFrame, CV_RGB2GRAY);
//// Blur image to reduce noise
//cv::GaussianBlur(TemporarilyStoredFrame, TemporarilyStoredFrame, cv::Size(3, 3), 0);
cv::namedWindow("Board Detection Frame", CV_WINDOW_AUTOSIZE);
cv::imshow("Board Detection Frame", cameraFrame);
//// Store value of seed point
//int seedPixelValue = (int) TemporarilyStoredFrame.getMat(cv::ACCESS_READ).at<uchar>(coordinates.first, coordinates.second);
//// Set current pixel iteration to value of seed point
//int currentPixelValue = seedPixelValue;
//std::cout << seedPixelValue << std::endl;
//// Create currentPoint array to iterate through
//int currentPoint[2];
//// set currentPoint to point
//currentPoint[0] = coordinates.first;
//currentPoint[1] = coordinates.second;
//while (currentPixelValue < (seedPixelValue + tolerance) & currentPixelValue >(seedPixelValue - tolerance)) {
// currentPixelValue = (int) TemporarilyStoredFrame.getMat(cv::ACCESS_READ).at<uchar>(currentPoint[0], currentPoint[1]);
// currentPoint[0]++;
// std::cout << currentPoint[0] << std::endl;
//}
//// Save horizontal extreme
//coordinates1.first = currentPoint[0];
//// reset currentPoint to point
//currentPoint[0] = coordinates.first;
//currentPoint[1] = coordinates.second;
//do {
// currentPixelValue = TemporarilyStoredFrame.getMat(cv::ACCESS_READ).at<uchar>(currentPoint[0], currentPoint[1]);
// currentPoint[0]--;
//} while (currentPixelValue < seedPixelValue + (tolerance & currentPixelValue) >(seedPixelValue - tolerance));
//// Save horizontal extreme
//coordinates2.first = currentPoint[0];
//// reset currentPoint to point
//currentPoint[0] = coordinates.first;
//currentPoint[1] = coordinates.second;
//do {
// currentPixelValue = TemporarilyStoredFrame.getMat(cv::ACCESS_READ).at<uchar>(currentPoint[0], currentPoint[1]);
// currentPoint[1]++;
//} while (currentPixelValue < seedPixelValue + (tolerance & currentPixelValue) >(seedPixelValue - tolerance));
//// Save horizontal extreme
//coordinates1.second = currentPoint[1];
//// reset currentPoint to point
//currentPoint[0] = coordinates.first;
//currentPoint[1] = coordinates.second;
//do {
// currentPixelValue = TemporarilyStoredFrame.getMat(cv::ACCESS_READ).at<uchar>(currentPoint[0], currentPoint[1]);
// currentPoint[1]--;
//} while (currentPixelValue < seedPixelValue + (tolerance & currentPixelValue) >(seedPixelValue - tolerance));
//// Save horizontal extreme
//coordinates2.second = currentPoint[1];
}
std::pair<int,int> BoardDetect::getCoordinates1()
{
return coordinates1;
}
std::pair<int, int> BoardDetect::getCoordinates2()
{
return coordinates2;
}
BoardDetect::~BoardDetect()
{
TemporarilyStoredFrame.release();
}
| [
"gothentrek@gmail.com"
] | gothentrek@gmail.com |
acfc61f8ac9047b2f181a81d52fb40b1bd6abfc0 | 7bd101aa6d4eaf873fb9813b78d0c7956669c6f0 | /NdCefLib/NdCefLib/NdCefApp.h | 0f2989a9b7585777c6f0e11913fcb4f8eb289010 | [
"BSD-3-Clause"
] | permissive | useafter/PPTShell-1 | 3cf2dad609ac0adcdba0921aec587e7168ee91a0 | 16d9592e8fa2d219a513e9f8cfbaf7f7f3d3c296 | refs/heads/master | 2021-06-24T13:33:54.039140 | 2017-09-10T06:31:11 | 2017-09-10T06:35:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,119 | h | #pragma once
#include <map>
#include <set>
#include <string>
#include <utility>
#include <vector>
#include "include/cef_app.h"
namespace NdCef {
class CNdCefApp : public CefApp,
public CefBrowserProcessHandler,
public CefRenderProcessHandler {
public:
class BrowserDelegate : public virtual CefBase {
public:
virtual void OnContextInitialized(CefRefPtr<CNdCefApp> app) {}
virtual void OnBeforeChildProcessLaunch(
CefRefPtr<CNdCefApp> app,
CefRefPtr<CefCommandLine> command_line) {}
virtual void OnRenderProcessThreadCreated(
CefRefPtr<CNdCefApp> app,
CefRefPtr<CefListValue> extra_info) {}
};
typedef std::set<CefRefPtr<BrowserDelegate> > BrowserDelegateSet;
class RenderDelegate : public virtual CefBase {
public:
virtual void OnRenderThreadCreated(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefListValue> extra_info) {}
virtual void OnWebKitInitialized(CefRefPtr<CNdCefApp> app) {}
virtual void OnBrowserCreated(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser) {}
virtual void OnBrowserDestroyed(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser) {}
virtual CefRefPtr<CefLoadHandler> GetLoadHandler(CefRefPtr<CNdCefApp> app) {
return NULL;
}
virtual bool OnBeforeNavigation(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefRequest> request,
cef_navigation_type_t navigation_type,
bool is_redirect) {
return false;
}
virtual void OnContextCreated(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context) {}
virtual void OnContextReleased(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context) {}
virtual void OnUncaughtException(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context,
CefRefPtr<CefV8Exception> exception,
CefRefPtr<CefV8StackTrace> stackTrace) {}
virtual void OnFocusedNodeChanged(CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefDOMNode> node) {}
virtual bool OnProcessMessageReceived(
CefRefPtr<CNdCefApp> app,
CefRefPtr<CefBrowser> browser,
CefProcessId source_process,
CefRefPtr<CefProcessMessage> message) {
return false;
}
};
typedef std::set<CefRefPtr<RenderDelegate> > RenderDelegateSet;
CNdCefApp();
bool GetRegisterJs();
void SetRegisterJs(bool nReg);
private:
static void CreateBrowserDelegates(BrowserDelegateSet& delegates);
static void CreateRenderDelegates(RenderDelegateSet& delegates);
static void RegisterCustomSchemes(CefRefPtr<CefSchemeRegistrar> registrar,
std::vector<CefString>& cookiable_schemes);
static CefRefPtr<CefPrintHandler> CreatePrintHandler();
void OnRegisterCustomSchemes(
CefRefPtr<CefSchemeRegistrar> registrar) OVERRIDE;
CefRefPtr<CefBrowserProcessHandler> GetBrowserProcessHandler() OVERRIDE {
return this;
}
CefRefPtr<CefRenderProcessHandler> GetRenderProcessHandler() OVERRIDE {
return this;
}
void OnContextInitialized() OVERRIDE;
void OnBeforeChildProcessLaunch(
CefRefPtr<CefCommandLine> command_line) OVERRIDE;
void OnRenderProcessThreadCreated(
CefRefPtr<CefListValue> extra_info) OVERRIDE;
CefRefPtr<CefPrintHandler> GetPrintHandler() OVERRIDE {
return print_handler_;
}
void OnBeforeCommandLineProcessing(const CefString& process_type,
CefRefPtr<CefCommandLine> command_line) OVERRIDE;
void OnRenderThreadCreated(CefRefPtr<CefListValue> extra_info) OVERRIDE;
void OnWebKitInitialized() OVERRIDE;
void OnBrowserCreated(CefRefPtr<CefBrowser> browser) OVERRIDE;
void OnBrowserDestroyed(CefRefPtr<CefBrowser> browser) OVERRIDE;
CefRefPtr<CefLoadHandler> GetLoadHandler() OVERRIDE;
bool OnBeforeNavigation(CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefRequest> request,
NavigationType navigation_type,
bool is_redirect) OVERRIDE;
void OnContextCreated(CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context) OVERRIDE;
void OnContextReleased(CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context) OVERRIDE;
void OnUncaughtException(CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefV8Context> context,
CefRefPtr<CefV8Exception> exception,
CefRefPtr<CefV8StackTrace> stackTrace) OVERRIDE;
void OnFocusedNodeChanged(CefRefPtr<CefBrowser> browser,
CefRefPtr<CefFrame> frame,
CefRefPtr<CefDOMNode> node) OVERRIDE;
bool OnProcessMessageReceived(
CefRefPtr<CefBrowser> browser,
CefProcessId source_process,
CefRefPtr<CefProcessMessage> message) OVERRIDE;
BrowserDelegateSet browser_delegates_;
RenderDelegateSet render_delegates_;
std::vector<CefString> cookieable_schemes_;
CefRefPtr<CefPrintHandler> print_handler_;
bool m_bRegisterJs;
IMPLEMENT_REFCOUNTING(CNdCefApp);
};
}
| [
"794549193@qq.com"
] | 794549193@qq.com |
d5bed784d542e530536d7067518c7c840d42f9d6 | 0095c937033b5225358eb541c728d8ff154e4052 | /lab/one/build-hpoMortgageCalculator-Desktop_Qt_5_10_0_clang_64bit-Debug/moc_mortgagecalculator.cpp | 8681decfe60d283fe34a3baca4fdd5aea2a452dd | [] | no_license | osvold/cplusplus | d3ff6590e4e4feffb1a5ac64f46d886777c582b9 | f5fc2b0c2544b9a6ae23ce87af05cfd39bad096d | refs/heads/master | 2021-05-13T11:28:33.175414 | 2018-04-20T14:51:13 | 2018-04-20T14:51:13 | 117,124,510 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 3,533 | cpp | /****************************************************************************
** Meta object code from reading C++ file 'mortgagecalculator.h'
**
** Created by: The Qt Meta Object Compiler version 67 (Qt 5.10.0)
**
** WARNING! All changes made in this file will be lost!
*****************************************************************************/
#include "../../../labs/one/hpoMortgageCalculator/mortgagecalculator.h"
#include <QtCore/qbytearray.h>
#include <QtCore/qmetatype.h>
#if !defined(Q_MOC_OUTPUT_REVISION)
#error "The header file 'mortgagecalculator.h' doesn't include <QObject>."
#elif Q_MOC_OUTPUT_REVISION != 67
#error "This file was generated using the moc from 5.10.0. It"
#error "cannot be used with the include files from this version of Qt."
#error "(The moc has changed too much.)"
#endif
QT_BEGIN_MOC_NAMESPACE
QT_WARNING_PUSH
QT_WARNING_DISABLE_DEPRECATED
struct qt_meta_stringdata_MortgageCalculator_t {
QByteArrayData data[3];
char stringdata0[30];
};
#define QT_MOC_LITERAL(idx, ofs, len) \
Q_STATIC_BYTE_ARRAY_DATA_HEADER_INITIALIZER_WITH_OFFSET(len, \
qptrdiff(offsetof(qt_meta_stringdata_MortgageCalculator_t, stringdata0) + ofs \
- idx * sizeof(QByteArrayData)) \
)
static const qt_meta_stringdata_MortgageCalculator_t qt_meta_stringdata_MortgageCalculator = {
{
QT_MOC_LITERAL(0, 0, 18), // "MortgageCalculator"
QT_MOC_LITERAL(1, 19, 9), // "on_Change"
QT_MOC_LITERAL(2, 29, 0) // ""
},
"MortgageCalculator\0on_Change\0"
};
#undef QT_MOC_LITERAL
static const uint qt_meta_data_MortgageCalculator[] = {
// content:
7, // revision
0, // classname
0, 0, // classinfo
1, 14, // methods
0, 0, // properties
0, 0, // enums/sets
0, 0, // constructors
0, // flags
0, // signalCount
// slots: name, argc, parameters, tag, flags
1, 0, 19, 2, 0x08 /* Private */,
// slots: parameters
QMetaType::Void,
0 // eod
};
void MortgageCalculator::qt_static_metacall(QObject *_o, QMetaObject::Call _c, int _id, void **_a)
{
if (_c == QMetaObject::InvokeMetaMethod) {
MortgageCalculator *_t = static_cast<MortgageCalculator *>(_o);
Q_UNUSED(_t)
switch (_id) {
case 0: _t->on_Change(); break;
default: ;
}
}
Q_UNUSED(_a);
}
const QMetaObject MortgageCalculator::staticMetaObject = {
{ &QWidget::staticMetaObject, qt_meta_stringdata_MortgageCalculator.data,
qt_meta_data_MortgageCalculator, qt_static_metacall, nullptr, nullptr}
};
const QMetaObject *MortgageCalculator::metaObject() const
{
return QObject::d_ptr->metaObject ? QObject::d_ptr->dynamicMetaObject() : &staticMetaObject;
}
void *MortgageCalculator::qt_metacast(const char *_clname)
{
if (!_clname) return nullptr;
if (!strcmp(_clname, qt_meta_stringdata_MortgageCalculator.stringdata0))
return static_cast<void*>(this);
return QWidget::qt_metacast(_clname);
}
int MortgageCalculator::qt_metacall(QMetaObject::Call _c, int _id, void **_a)
{
_id = QWidget::qt_metacall(_c, _id, _a);
if (_id < 0)
return _id;
if (_c == QMetaObject::InvokeMetaMethod) {
if (_id < 1)
qt_static_metacall(this, _c, _id, _a);
_id -= 1;
} else if (_c == QMetaObject::RegisterMethodArgumentMetaType) {
if (_id < 1)
*reinterpret_cast<int*>(_a[0]) = -1;
_id -= 1;
}
return _id;
}
QT_WARNING_POP
QT_END_MOC_NAMESPACE
| [
"hans-petter@eyego.no"
] | hans-petter@eyego.no |
9226f4370e330ae72fa71cfe6a7a0bb34c0a20e8 | f879452c6b342c5908794f3f62448d76daee3a7c | /index_tests/constructors/destructor.cc | ff79a520ca218e05e3d6904226abfbc42246322b | [] | no_license | zhongweiy/ccls | 7468969b568780c8db40e4b4b6a8fd9536d95aad | 775c72b0e6a092bf45919d6c99b6d335d53bb1fd | refs/heads/master | 2020-03-22T14:05:18.926236 | 2018-07-07T06:34:16 | 2018-07-07T06:41:24 | 140,152,703 | 0 | 0 | null | 2018-07-08T09:04:08 | 2018-07-08T09:04:08 | null | UTF-8 | C++ | false | false | 2,834 | cc | class Foo {
public:
Foo() {}
~Foo() {};
};
void foo() {
Foo f;
}
// TODO: Support destructors (notice how the dtor has no usages listed).
// - check if variable is a pointer. if so, do *not* insert dtor
// - check if variable is normal type. if so, insert dtor
// - scan for statements that look like dtors in function def handler
// - figure out some way to support w/ unique_ptrs?
/*
OUTPUT:
{
"includes": [],
"skipped_by_preprocessor": [],
"usr2func": [{
"usr": 3385168158331140247,
"detailed_name": "Foo::Foo()",
"qual_name_offset": 0,
"short_name": "Foo",
"kind": 9,
"storage": 0,
"declarations": [],
"spell": "3:3-3:6|15041163540773201510|2|2",
"extent": "3:3-3:11|15041163540773201510|2|0",
"declaring_type": 15041163540773201510,
"bases": [],
"derived": [],
"vars": [],
"uses": ["8:7-8:8|4259594751088586730|3|288"],
"callees": []
}, {
"usr": 4259594751088586730,
"detailed_name": "void foo()",
"qual_name_offset": 5,
"short_name": "foo",
"kind": 12,
"storage": 0,
"declarations": [],
"spell": "7:6-7:9|0|1|2",
"extent": "7:1-9:2|0|1|0",
"declaring_type": 0,
"bases": [],
"derived": [],
"vars": [1893354193220338759],
"uses": [],
"callees": ["8:7-8:8|3385168158331140247|3|288", "8:7-8:8|3385168158331140247|3|288"]
}, {
"usr": 7440261702884428359,
"detailed_name": "Foo::~Foo() noexcept",
"qual_name_offset": 0,
"short_name": "~Foo",
"kind": 6,
"storage": 0,
"declarations": [],
"spell": "4:3-4:7|15041163540773201510|2|2",
"extent": "4:3-4:12|15041163540773201510|2|0",
"declaring_type": 15041163540773201510,
"bases": [],
"derived": [],
"vars": [],
"uses": [],
"callees": []
}],
"usr2type": [{
"usr": 15041163540773201510,
"detailed_name": "Foo",
"qual_name_offset": 0,
"short_name": "Foo",
"kind": 5,
"declarations": ["3:3-3:6|0|1|4", "4:4-4:7|0|1|4"],
"spell": "1:7-1:10|0|1|2",
"extent": "1:1-5:2|0|1|0",
"alias_of": 0,
"bases": [],
"derived": [],
"types": [],
"funcs": [3385168158331140247, 7440261702884428359],
"vars": [],
"instances": [1893354193220338759],
"uses": ["3:3-3:6|15041163540773201510|2|4", "8:3-8:6|0|1|4"]
}],
"usr2var": [{
"usr": 1893354193220338759,
"detailed_name": "Foo f",
"qual_name_offset": 4,
"short_name": "f",
"declarations": [],
"spell": "8:7-8:8|4259594751088586730|3|2",
"extent": "8:3-8:8|4259594751088586730|3|0",
"type": 15041163540773201510,
"uses": [],
"kind": 13,
"storage": 0
}]
}
*/
| [
"i@maskray.me"
] | i@maskray.me |
d6af6ae120996bc503900844eaab3554f7d775ef | f1b336ba6b4bbda6ae37d6c5fa1c9c6e822be69d | /Homework/3 HW submission/2.3/2.3.1/2.3.1.2/Point.hpp | 6ec6256e4f5be8457ba40689b5f1b8ede9bc3e27 | [] | no_license | watermantle/CPP_Financial_Engineering | 62be2df5279e38a6f0c903bc176ef12172a68d01 | bb66b658f31848869731bd9c11e954a46c3becb8 | refs/heads/main | 2023-07-08T23:54:39.305885 | 2021-08-24T18:04:41 | 2021-08-24T18:04:41 | 376,373,263 | 2 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 953 | hpp | // Point header file. To define a class Point representing a point in XY coordiante and methods
#ifndef Point_HPP
#define Point_HPP
#include <iostream>
#include <sstream>
using namespace std;
class Point {
private:
double m_x, m_y; // X, Y coordinate
public:
// Constructors & Destructor
Point(); // Default constructor
Point(double val_x, double val_y); // New construtor to create a point with values
Point(const Point& P); // a copy constructor
~Point();
// Getter functions for the x-and y-coordinates
double GetX(); // Return x vlaue
double GetY(); // Return y value
// Setter functions for the x-and y-coordinates
void SetX(double newx); // Set new value to x
void SetY(double newy); // Set new value to y
// Description of the poinr
std::string ToString();
double DistanceOrigin(); // Calculate the distance to the origin (0, 0)
double Distance(Point p); // Calculate the distance between two points
};
#endif | [
"baiyucqx@gmail.com"
] | baiyucqx@gmail.com |
204af515f3d590c7f124c990a499d3c29102e99b | e235d60f29481f9b19084509d039df8904bd9fd4 | /core/sessiondataitem.h | 86227912a3724d1b912535558971f02772608f6f | [] | no_license | AlexeyProkhin/ireen | a0aa6d8ebf3d801ee272a0e589b0372eb410d509 | 2ecdd6c66bf783f0a4afcf6e30e6b3cb508800e3 | refs/heads/master | 2021-01-19T11:15:19.998540 | 2012-10-14T07:57:13 | 2012-10-14T07:57:13 | 6,201,329 | 0 | 1 | null | 2012-10-14T07:57:14 | 2012-10-13T08:48:12 | C++ | UTF-8 | C++ | false | false | 4,508 | h | /****************************************************************************
**
** Ireen — cross-platform OSCAR protocol library
**
** Copyright © 2012 Ruslan Nigmatullin <euroelessar@yandex.ru>
** Alexey Prokhin <alexey.prokhin@yandex.ru>
**
*****************************************************************************
**
** $IREEN_BEGIN_LICENSE$
** 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 3
** 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 Lesser General Public License
** along with this program. If not, see http://www.gnu.org/licenses/.
** $IREEN_END_LICENSE$
**
****************************************************************************/
#ifndef IREEN_SESSIONDATAITEM_H
#define IREEN_SESSIONDATAITEM_H
#include "dataunit.h"
namespace Ireen {
class IREEN_EXPORT SessionDataItem : public DataUnit
{
public:
inline SessionDataItem(quint16 type = 0x0000, quint8 flags = 0x0000);
inline SessionDataItem(const DataUnit &data);
inline SessionDataItem(const SessionDataItem &item);
inline quint16 type() const;
inline void setType(quint16 type);
inline quint8 flags() const;
inline void setFlags(quint8 flags);
inline operator QByteArray() const;
private:
quint16 m_type;
quint8 m_flags;
};
class IREEN_EXPORT SessionDataItemMap : public QMap<quint16, SessionDataItem>
{
public:
inline SessionDataItemMap();
inline SessionDataItemMap(const DataUnit &data);
inline SessionDataItemMap(const QMap<quint16, SessionDataItem> &other);
inline SessionDataItem value(int key) const;
template<typename T>
T value(quint16 type, const T &def = T()) const;
inline SessionDataItemMap::iterator insert(quint16 type, quint8 flags);
inline SessionDataItemMap::iterator insert(const SessionDataItem &item);
inline operator QByteArray() const;
private:
iterator insert(quint16 type, const TLV &data);
};
SessionDataItem::SessionDataItem(quint16 type, quint8 flags) :
m_type(type), m_flags(flags)
{
setMaxSize(253);
}
SessionDataItem::SessionDataItem(const DataUnit &data)
{
m_type = data.read<quint16>();
m_flags = data.read<quint8>();
m_data = data.read<QByteArray, quint8>();
}
SessionDataItem::SessionDataItem(const SessionDataItem &item) :
DataUnit(item), m_type(item.m_type), m_flags(item.m_flags)
{
}
quint16 SessionDataItem::type() const
{
return m_type;
}
void SessionDataItem::setType(quint16 type)
{
m_type = type;
}
inline quint8 SessionDataItem::flags() const
{
return m_flags;
}
inline void SessionDataItem::setFlags(quint8 flags)
{
m_flags = flags;
}
inline SessionDataItem::operator QByteArray() const
{
DataUnit data;
data.append<quint16>(m_type);
data.append<quint8>(m_flags);
data.append<quint8>(m_data);
return data.data();
}
SessionDataItemMap::SessionDataItemMap() :
QMap<quint16, SessionDataItem>()
{
}
SessionDataItemMap::SessionDataItemMap(const DataUnit &data)
{
while (data.dataSize() >= 4)
insert(SessionDataItem(data));
}
SessionDataItemMap::SessionDataItemMap(const QMap<quint16, SessionDataItem> &other):
QMap<quint16, SessionDataItem>(other)
{
}
SessionDataItem SessionDataItemMap::value(int key) const
{
return QMap<quint16, SessionDataItem>::value(key);
}
SessionDataItemMap::iterator SessionDataItemMap::insert(quint16 type, quint8 flags)
{
return QMap<quint16, SessionDataItem>::insert(type, SessionDataItem(type, flags));
}
SessionDataItemMap::iterator SessionDataItemMap::insert(const SessionDataItem &item)
{
return QMap<quint16, SessionDataItem>::insert(item.type(), item);
}
SessionDataItemMap::operator QByteArray() const
{
DataUnit data;
foreach (const SessionDataItem &item, *this)
data.append(static_cast<QByteArray>(item));
return data.data();
}
template<>
struct fromDataUnitHelper<SessionDataItem>
{
static inline SessionDataItem fromByteArray(const DataUnit &d)
{
return SessionDataItem(d);
}
};
template<>
struct fromDataUnitHelper<SessionDataItemMap>
{
static inline SessionDataItemMap fromByteArray(const DataUnit &d)
{
return SessionDataItem(d);
}
};
} // namespace Ireen
#endif // IREEN_SESSIONDATAITEM_H
| [
"alexey.prokhin@yandex.ru"
] | alexey.prokhin@yandex.ru |
d8010e14dbc33fe5c9864ce820487f9e87e754f9 | 811b3a6625111e54c8f181928cc90736681a8c89 | /src/DS1307.cpp | 2a56f5fa591a1d5f87451110956883e9d0074636 | [] | no_license | Louka-Millon/Systeme-embarque | 2748b60231c068a56099a8beb857d5afe7f76ff0 | 35a64da368625df6f7c5e64c63e832bd754e5cef | refs/heads/main | 2023-01-07T08:21:04.931194 | 2020-11-07T15:59:41 | 2020-11-07T15:59:41 | 310,876,424 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 4,864 | cpp | /*
DS1307.h
library for Seeed RTC module
Copyright (c) 2013 seeed technology inc.
Author : FrankieChu
Create Time : Jan 2013
Change Log :
The MIT License (MIT)
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 <Arduino.h>
#include <stdlib.h>
#include <stdio.h>
#include <Wire.h>
#include <SPI.h>
#include <string.h>
#include "../lib/DS1307.h"
uint8_t DS1307::decToBcd(uint8_t val) {
return ((val / 10 * 16) + (val % 10));
}
//Convert binary coded decimal to normal decimal numbers
uint8_t DS1307::bcdToDec(uint8_t val) {
return ((val / 16 * 10) + (val % 16));
}
void DS1307::begin() {
Wire.begin();
}
/*Function: The clock timing will start */
void DS1307::startClock(void) { // set the ClockHalt bit low to start the rtc
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00); // Register 0x00 holds the oscillator start/stop bit
Wire.endTransmission();
Wire.requestFrom(DS1307_I2C_ADDRESS, 1);
second = Wire.read() & 0x7f; // save actual seconds and AND sec with bit 7 (sart/stop bit) = clock started
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00);
Wire.write((uint8_t)second); // write seconds back and start the clock
Wire.endTransmission();
}
/*Function: The clock timing will stop */
void DS1307::stopClock(void) { // set the ClockHalt bit high to stop the rtc
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00); // Register 0x00 holds the oscillator start/stop bit
Wire.endTransmission();
Wire.requestFrom(DS1307_I2C_ADDRESS, 1);
second = Wire.read() | 0x80; // save actual seconds and OR sec with bit 7 (sart/stop bit) = clock stopped
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00);
Wire.write((uint8_t)second); // write seconds back and stop the clock
Wire.endTransmission();
}
/****************************************************************/
/*Function: Read time and date from RTC */
void DS1307::getTime() {
// Reset the register pointer
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00);
Wire.endTransmission();
Wire.requestFrom(DS1307_I2C_ADDRESS, 7);
// A few of these need masks because certain bits are control bits
second = bcdToDec(Wire.read() & 0x7f);
minute = bcdToDec(Wire.read());
hour = bcdToDec(Wire.read() & 0x3f);// Need to change this if 12 hour am/pm
dayOfWeek = bcdToDec(Wire.read());
dayOfMonth = bcdToDec(Wire.read());
month = bcdToDec(Wire.read());
year = bcdToDec(Wire.read());
}
/*******************************************************************/
/*Frunction: Write the time that includes the date to the RTC chip */
void DS1307::setTime() {
Wire.beginTransmission(DS1307_I2C_ADDRESS);
Wire.write((uint8_t)0x00);
Wire.write(decToBcd(second));// 0 to bit 7 starts the clock
Wire.write(decToBcd(minute));
Wire.write(decToBcd(hour)); // If you want 12 hour am/pm you need to set bit 6
Wire.write(decToBcd(dayOfWeek));
Wire.write(decToBcd(dayOfMonth));
Wire.write(decToBcd(month));
Wire.write(decToBcd(year));
Wire.endTransmission();
}
void DS1307::fillByHMS(uint8_t _hour, uint8_t _minute, uint8_t _second) {
// assign variables
hour = _hour;
minute = _minute;
second = _second;
}
void DS1307::fillByYMD(uint16_t _year, uint8_t _month, uint8_t _day) {
year = _year - 2000;
month = _month;
dayOfMonth = _day;
}
void DS1307::fillDayOfWeek(uint8_t _dow) {
dayOfWeek = _dow;
} | [
"noreply@github.com"
] | noreply@github.com |
305d995c464f75870cfc487215a87cb422a95afd | 75e9d18dce90f2373a30ec484694f16f3a52e3a9 | /send_recv_long_msg_cpp/server.cc | 0fc0b9ba0896c7db31fff9a33d3bdff1525975cc | [] | no_license | zhuzilin/raw-socket | 7352508bd8d628f3e3755967e334e796ea8cef68 | 6d80ffc05918b2099acfe2cbdb82f89ed68f90b8 | refs/heads/main | 2023-01-05T18:35:25.073943 | 2020-10-27T02:39:23 | 2020-10-27T02:39:23 | 307,565,112 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,484 | cc | /*
* An simple raw socket example. server part.
* Server will receive request in any length and reply with
* the same message.
*/
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <iostream>
#include <string>
#define BUFFER_SIZE 4
int send_message(int fd, const std::string& msg) {
char buffer[BUFFER_SIZE];
int i = 0, n;
while (i < msg.size()) {
if (msg.size() - i < sizeof(buffer)) {
n = write(fd, msg.substr(i).c_str(), msg.size() - i);
} else {
n = write(fd, msg.substr(i, sizeof(buffer)).c_str(), sizeof(buffer));
}
if (n < 0) {
printf("failed to write\n");
return -1;
}
i += n;
}
return 0;
}
int receive_message(int fd, std::string& reply_msg) {
char buffer[BUFFER_SIZE];
int i = 0, n;
reply_msg = "";
while (true) {
n = read(fd, buffer, sizeof(buffer));
if (n < 0) {
printf("failed to read\n");
return -1;
}
std::string seg_msg = std::string(buffer, n);
reply_msg += seg_msg;
if (n < sizeof(buffer)) {
break;
}
}
return 0;
}
int main(int argc, char *argv[]) {
int listenfd, connfd, n, portno;
socklen_t client_len;
struct sockaddr_in server_addr, client_addr;
if (argc < 2) {
printf("need port\n");
return -1;
}
listenfd = socket(AF_INET, SOCK_STREAM, 0);
if (listenfd < 0) {
printf("failed to create socket.\n");
return -1;
}
memset(&server_addr, 0, sizeof(server_addr));
server_addr.sin_family = AF_INET;
server_addr.sin_addr.s_addr = INADDR_ANY;
portno = atoi(argv[1]);
server_addr.sin_port = htons(portno);
if (bind(listenfd, (struct sockaddr *)&server_addr,
sizeof(server_addr)) < 0) {
printf("binding failed.\n");
return -1;
}
// here the number of backlog may be important to certain application.
if (listen(listenfd, 10) < 0) {
printf("failed to listen\n");
return -1;
}
client_len = sizeof(client_addr);
while (1) {
connfd = accept(listenfd, (struct sockaddr *)&client_addr, &client_len);
if (connfd < 0) {
printf("failed to accept\n.");
return -1;
}
std::string request;
if (receive_message(connfd, request) < 0) {
printf("receive failed");
return -1;
}
if (send_message(connfd, request) < 0) {
printf("send failed");
return -1;
}
close(connfd);
}
close(listenfd);
} | [
"zilinzhu@tencent.com"
] | zilinzhu@tencent.com |
54de5511dfc85bb59feec2da307a07788cad4f5c | 8d1e12b9855fa4538a4ac40b1dc1ac7fa6b579b8 | /samples/lab1/ogl-master/tutorial01_first_window/tutorial01.cpp | 44c9c179eaaf5e4fcc3de650b920108e098b8c7e | [
"MIT"
] | permissive | wiali/opengl-labs | 68b65021356be5160829fa4f75e96e3328e7e45f | 8160bd495f38eacb46cd37847a8881a6dc7a8fe8 | refs/heads/master | 2020-03-28T10:42:06.423025 | 2017-12-18T00:47:10 | 2017-12-18T00:47:10 | 148,135,853 | 2 | 0 | null | 2018-09-10T10:03:57 | 2018-09-10T10:03:57 | null | UTF-8 | C++ | false | false | 1,949 | cpp | // Include standard headers
#include <stdio.h>
#include <stdlib.h>
// Include GLEW
#include <GL/glew.h>
// Include GLFW
#include <glfw3.h>
GLFWwindow* window;
// Include GLM
#include <glm/glm.hpp>
using namespace glm;
int main( void )
{
// Initialise GLFW
if( !glfwInit() )
{
fprintf( stderr, "Failed to initialize GLFW\n" );
getchar();
return -1;
}
glfwWindowHint(GLFW_SAMPLES, 4);
glfwWindowHint(GLFW_CONTEXT_VERSION_MAJOR, 3);
glfwWindowHint(GLFW_CONTEXT_VERSION_MINOR, 3);
glfwWindowHint(GLFW_OPENGL_FORWARD_COMPAT, GL_TRUE); // To make MacOS happy; should not be needed
glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);
// Open a window and create its OpenGL context
window = glfwCreateWindow( 1024, 768, "Tutorial 01", NULL, NULL);
if( window == NULL ){
fprintf( stderr, "Failed to open GLFW window. If you have an Intel GPU, they are not 3.3 compatible. Try the 2.1 version of the tutorials.\n" );
getchar();
glfwTerminate();
return -1;
}
glfwMakeContextCurrent(window);
// Initialize GLEW
if (glewInit() != GLEW_OK) {
fprintf(stderr, "Failed to initialize GLEW\n");
getchar();
glfwTerminate();
return -1;
}
// Ensure we can capture the escape key being pressed below
glfwSetInputMode(window, GLFW_STICKY_KEYS, GL_TRUE);
// Dark blue background
glClearColor(0.0f, 0.0f, 0.4f, 0.0f);
do{
// Clear the screen. It's not mentioned before Tutorial 02, but it can cause flickering, so it's there nonetheless.
glClear( GL_COLOR_BUFFER_BIT );
// Draw nothing, see you in tutorial 2 !
// Swap buffers
glfwSwapBuffers(window);
glfwPollEvents();
} // Check if the ESC key was pressed or the window was closed
while( glfwGetKey(window, GLFW_KEY_ESCAPE ) != GLFW_PRESS &&
glfwWindowShouldClose(window) == 0 );
// Close OpenGL window and terminate GLFW
glfwTerminate();
return 0;
}
| [
"enlofpoliteh121@gmail.com"
] | enlofpoliteh121@gmail.com |
65846d2173c83a63c500dc99a8ae4610c153d847 | b9c6a58792d49b4839725bcd31dc3e4808cf6ba3 | /530MinimumAbsoluteDifferenceInBST/main.cpp | 9cc33bb4173469f38ec865e8d5893bffe1ca8643 | [] | no_license | whlprogram/LeetCode | 0c43e5f2c936b894a4075ab957c0f8bbf3571b26 | 8f6203444ada22f32ac4955433824ae7830a5be8 | refs/heads/master | 2021-01-18T16:09:55.556557 | 2018-11-07T12:21:09 | 2018-11-07T12:21:09 | 86,719,861 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 2,186 | cpp | #include <iostream>
#include <vector>
#include <limits.h>
using namespace std;
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
// BST是满足如下3个条件的二叉树:
//1. 节点的左子树包含的节点的值小于该节点的值
//2. 节点的右子树包含的节点的值大于等于该节点的值
//3. 节点的左子树和右子树都是BST
class Solution {
public:
int getMinimumDifference(TreeNode* root) {//递归解法
if(!root)
return 0;
vector<int> InOrderArray;
getInOrderArray(InOrderArray, root);
//INT_MAX定义 https://zhidao.baidu.com/question/294243885.html
int res = INT_MAX;
for(int i=1; i<InOrderArray.size(); i++){//遍历数组得到相邻两个元素最小的差
if(InOrderArray[i] - InOrderArray[i-1] < res)
res = InOrderArray[i] - InOrderArray[i-1];
}
return res;
}
void getInOrderArray(vector<int> &InOrderArray, TreeNode* root){//通过中序遍历得到一个升序数组
if(!root)
return;
getInOrderArray(InOrderArray, root->left);
InOrderArray.push_back(root->val);
getInOrderArray(InOrderArray, root->right);
}
int getMinimumDifference1(TreeNode* root) {//非递归解法
//res为最小差,pre为前节点值,BST没有负数,所以定义为-1
int res = INT_MAX, pre = -1;
//Stack<TreeNode*> InOrderArray = new Stack<>();
stack<TreeNode*> InOrderArray;//定义一个栈
TreeNode *p = root;
while (p || !InOrderArray.empty()) {//非空判断
while (p) {
InOrderArray.push(p);
p = p->left;
}
p = InOrderArray.top();//栈顶元素
InOrderArray.pop();//往下遍历栈
if (pre != -1)
res = min(res, p->val - pre);
pre = p->val;
p = p->right;
}
return res;
}
};
int main()
{
cout << "Hello world!" << endl;
return 0;
}
| [
"2451774200@qq.com"
] | 2451774200@qq.com |
c28dca87713bbbf3aaf027c661ef552e4e3145f1 | 54f352a242a8ad6ff5516703e91da61e08d9a9e6 | /Source Codes/AtCoder/abc033/B/4251562.cpp | 5e522a60a7d091ec270582afebbad780c0262303 | [] | no_license | Kawser-nerd/CLCDSA | 5cbd8a4c3f65173e4e8e0d7ed845574c4770c3eb | aee32551795763b54acb26856ab239370cac4e75 | refs/heads/master | 2022-02-09T11:08:56.588303 | 2022-01-26T18:53:40 | 2022-01-26T18:53:40 | 211,783,197 | 23 | 9 | null | null | null | null | UTF-8 | C++ | false | false | 572 | cpp | #include<algorithm>
#include<iostream>
#include<functional>
#include<cmath>
#include<iomanip>
using namespace std;
int main(){
int n;
int count=0,y=0,x=0,a=0;
string name[1100];
int num[1100];
int ans[1100];
cin>>n;
for(int i=0;i<n;i++){
cin>>name[i]>>num[i];
y+=num[i];
ans[i]=num[i];
x=max(num[i],a);
if(num[i]>=a)
a=num[i];
}
for(int j=0;j<n;j++){
if(x==num[j]){
break;
}
else
count++;
}
if((y-x)<x)
cout<<name[count]<<endl;
else
cout<<"atcoder"<<endl;
} | [
"kwnafi@yahoo.com"
] | kwnafi@yahoo.com |
0129c3d39e204581ffc299c9cdfa5dbaa228c8c1 | a36c77642b7189bc29e94a6ae3261f7c659753e3 | /Web-Server/include/ConnectionManager.hpp | fa20364f1a6ab0c3e9b325be3f54b7462016975d | [
"MIT"
] | permissive | marmal95/Web-Server | 9d5eb2563646b13e79b729030b909c4cfc8abde9 | 6f1fc5fe75d7ca516697a93149880a9c67933a2c | refs/heads/master | 2021-05-04T21:05:16.786660 | 2018-03-05T14:12:55 | 2018-03-05T14:12:55 | 119,856,114 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 639 | hpp | #pragma once
#include "IConnectionManager.hpp"
#include <unordered_set>
#include <memory>
namespace web
{
class IConnection;
class ConnectionManager : public IConnectionManager
{
public:
ConnectionManager() = default;
ConnectionManager(const ConnectionManager&) = delete;
ConnectionManager& operator=(const ConnectionManager&) = delete;
void start_connection(const std::shared_ptr<IConnection>& new_connection) override;
void stop_connection(const std::shared_ptr<IConnection>& connection) override;
void stop_all_connections() override;
private:
std::unordered_set<std::shared_ptr<IConnection>> connections;
};
} | [
"dev.marmal195@gmail.com"
] | dev.marmal195@gmail.com |
6b6f3aac5c8b36029a44a5a0e2dc2e0eaf402599 | cf021d268e908d769eb222cf0bdbfe76d849c87d | /scheduler/Entity/Group.h | 4f35efe19b3ff6eacf4cd6770783dbe265ce2c44 | [] | no_license | lnupmi11/scheduler | 5d82da757ba9153e2479fde60932f94727d34483 | 8ad22a480ad5e1be8e0b7832606039c2b025f0d4 | refs/heads/master | 2021-08-30T12:51:42.246550 | 2017-12-18T02:16:01 | 2017-12-18T02:16:01 | 103,360,838 | 0 | 1 | null | 2017-12-18T02:16:02 | 2017-09-13T06:14:26 | C++ | ISO-8859-7 | C++ | false | false | 322 | h | #pragma once
#include <string>
#include <vector>
#include <iostream>
#include <fstream>
using namespace std;
class Group {
string id;
string name; //(ΟΜ²-11)
public:
Group();
Group(string n, string i);
Group(const Group& obj);
void set_name(string);
string get_name();
void set_id(string);
string get_id();
}; | [
"alex.skorupskyy@gmail.com"
] | alex.skorupskyy@gmail.com |
91cc32b975e1c78534a9672bd7fb3f30c547c7db | 57997e6be525f013cb112a952faf3c4aec82a906 | /worklog_main.cc | 0c51d124dfd08e278525069ce4c7cf91b46885c0 | [
"MIT"
] | permissive | dragonquest/cpp-worklog | 0243df84e52c3dc6ab4666f59c069a697fd7565e | dd964c14cf1ac1e1e0b06c82bfd3cd363eac330e | refs/heads/master | 2020-12-02T19:30:42.946701 | 2017-07-05T19:33:09 | 2017-07-05T19:33:09 | 96,352,558 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 14,807 | cc | #include <algorithm>
#include <iomanip>
#include <iostream>
#include <sstream>
#include <string>
#include <unordered_map>
#include <vector>
#include "atl/colors.h"
#include "atl/file.h"
#include "atl/status.h"
#include "atl/statusor.h"
#include "atl/string.h"
#include "atl/time.h"
#include "command.h"
#include "filter.h"
#include "serializer.h"
#include "utils.h"
#include "worklog.h"
#include "storage.h"
int CommandNewWorklog(const worklog::CommandContext& ctx) {
atl::TempFile tmp_file;
if (!tmp_file) {
std::cerr << "Error: Failed to create temp file at: " << tmp_file.path()
<< "\n";
return -1;
}
tmp_file.stream() << Template();
tmp_file.stream().flush();
auto content = worklog::ContentFromEditor(tmp_file.path());
if (!content) {
std::cerr << "Error: Failed to obtain content from the editor "
<< "which is stored in the file: " << tmp_file.path() << "\n";
return -1;
}
worklog::HumanSerializer hs;
worklog::Log log = hs.Unserialize(content.value());
worklog::Storage store(ctx.config);
atl::Status status = store.Save(log);
if (!status.ok()) {
std::cerr << "Failed to save the work log. Reason: "
<< status.error_message()
<< ". Your work log is backed up here: " << tmp_file.path()
<< "\n";
return -1;
}
return 0;
}
int CommandEditWorklog(const worklog::CommandContext& ctx) {
if (ctx.args.size() < 3) {
std::cerr << "Error: Please specify a work log id\n";
return -1;
}
const std::string& worklog_id = ctx.args[2];
worklog::Storage store(ctx.config);
atl::Optional<int> id = NumberFromString(worklog_id);
if (!id) {
std::cerr << "Error: Failed to convert worklog id to numeric value: "
<< worklog_id << "\n";
return -1;
}
atl::StatusOr<worklog::Log> status = store.LoadById(id.value());
if (!status.ok()) {
std::cerr << "Error: Failed to load worklog by id " << worklog_id << ". "
<< status.status().error_message() << "\n";
return -1;
}
auto log = status.ValueOrDie();
worklog::HumanSerializer hs;
atl::TempFile tmp_file;
if (!tmp_file) {
std::cerr << "Error: Failed to create temp file at: " << tmp_file.path()
<< "\n";
return -1;
}
tmp_file.stream() << hs.Serialize(log);
tmp_file.stream().flush();
auto content = worklog::ContentFromEditor(tmp_file.path());
if (!content) {
std::cerr << "Error: Failed to obtain content from the editor "
<< "which is stored in the file: " << tmp_file.path() << "\n";
return -1;
}
worklog::Log updatedLog = hs.Unserialize(content.value());
updatedLog.id = log.id;
atl::Status saveStatus = store.Update(updatedLog);
if (!saveStatus.ok()) {
std::cerr << "Failed to save the work log. Reason: "
<< saveStatus.error_message()
<< ". Your work log is backed up here: " << tmp_file.path()
<< "\n";
return -1;
}
return 0;
}
int CommandViewWorklog(const worklog::CommandContext& ctx) {
if (ctx.args.size() < 3) {
std::cerr << "Error: Please specify a work log id\n";
return -1;
}
const std::string& worklog_id = ctx.args[2];
worklog::Storage store(ctx.config);
atl::Optional<int> id = NumberFromString(worklog_id);
if (!id) {
std::cerr << "Error: Failed to convert worklog id to numeric value: "
<< worklog_id << "\n";
return -1;
}
atl::StatusOr<worklog::Log> status = store.LoadById(id.value());
if (!status.ok()) {
std::cerr << "Error: Failed to load worklog by id " << worklog_id << ". "
<< status.status().error_message() << "\n";
return -1;
}
auto log = status.ValueOrDie();
worklog::HumanSerializer hs;
std::cout << hs.Serialize(log) << "\n";
return 0;
}
int CommandInitWorklog(const worklog::CommandContext& ctx) {
atl::Status status = worklog::MaybeSetupWorklogSpace(ctx.config);
if (!status.ok()) {
std::cerr << "Failed to setup worklog space: " << status.error_message()
<< "\n";
return -1;
}
return 0;
}
int CommandDeleteWorklog(const worklog::CommandContext& ctx) {
if (ctx.args.size() < 3) {
std::cerr << "Error: Please specify a work log id\n";
return -1;
}
int id = 0;
try {
id = std::stoi(ctx.args[2]);
} catch (const std::exception& e) {
std::cerr << "Error: cannot extract id from parameter (not a number?): "
<< e.what() << "\n";
return -1;
}
std::string log_path =
atl::JoinStr("/", ctx.config.logs_dir, std::to_string(id));
if (!atl::FileExists(log_path)) {
return 0;
}
atl::Remove(log_path);
return 0;
}
int CommandListBroken(const worklog::CommandContext& ctx) {
auto index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyInvalidFilter(), &index);
for (const auto& log : index) {
PrintWorklog(log);
}
return 0;
}
int CommandListAll(const worklog::CommandContext& ctx) {
auto index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyValidFilter(), &index);
for (const auto& log : index) {
PrintWorklog(log);
}
return 0;
}
int SubCommandTagsListAll(const worklog::CommandContext& ctx) {
auto index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyValidFilter(), &index);
std::vector<std::string> tags;
std::unordered_map<std::string, int> counts;
for (const auto& log : index) {
for (const auto& tag : log.tags) {
auto found = counts.find(tag);
if (found == counts.end()) {
tags.push_back(tag);
}
counts[tag]++;
}
}
std::sort(tags.begin(), tags.end(),
[&counts](const std::string& a, const std::string& b) {
return counts[a] > counts[b];
});
for (const auto& tag : tags) {
std::cout << counts[tag] << " " << tag << "\n";
}
return 0;
}
int SubCommandTagsRemove(const worklog::CommandContext& ctx) {
const std::string& tag = ctx.args[3];
const std::string& worklog_id = ctx.args[4];
worklog::Storage store(ctx.config);
atl::Optional<int> id = NumberFromString(worklog_id);
if (!id) {
std::cerr << "Error: Failed to convert worklog id to numeric value: "
<< worklog_id << "\n";
return -1;
}
atl::StatusOr<worklog::Log> status = store.LoadById(id.value());
if (!status.ok()) {
std::cerr << "Error: Failed to load worklog by id " << worklog_id << ". "
<< status.status().error_message() << "\n";
return -1;
}
auto log = status.ValueOrDie();
log.tags.erase(tag);
atl::Status updateStatus = store.Update(log);
if (!updateStatus.ok()) {
std::cerr << "Error: Failed to update log with id: " << worklog_id << ". "
<< updateStatus.error_message() << "\n";
return -1;
}
return 0;
}
int SubCommandTagsAdd(const worklog::CommandContext& ctx) {
const std::string& tag = ctx.args[3];
const std::string& worklog_id = ctx.args[4];
worklog::Storage store(ctx.config);
atl::Optional<int> id = NumberFromString(worklog_id);
if (!id) {
std::cerr << "Error: Failed to convert worklog id to numeric value: "
<< worklog_id << "\n";
return -1;
}
atl::StatusOr<worklog::Log> status = store.LoadById(id.value());
if (!status.ok()) {
std::cerr << "Error: Failed to load worklog by id " << worklog_id << ". "
<< status.status().error_message() << "\n";
return -1;
}
auto log = status.ValueOrDie();
log.tags.insert(tag);
atl::Status updateStatus = store.Update(log);
if (!updateStatus.ok()) {
std::cerr << "Error: Failed to update log with id: " << worklog_id << ". "
<< updateStatus.error_message() << "\n";
return -1;
}
return 0;
}
int CommandTags(const worklog::CommandContext& ctx) {
if (ctx.args.size() < 3) {
std::cerr << "Missing arguments. Please specify if you want to "
<< "add, remove or list tags.\n"
<< "Examples: \n\n"
<< ctx.args[0] << " tag add php <id> "
<< "adds php tag to worklog\n"
<< ctx.args[0] << " tag remove php <id> "
<< "removes php tag from worklog\n"
<< ctx.args[0] << " tag list "
<< "lists all available tags\n";
return -1;
}
if (ctx.args[2] == "list" || ctx.args[2] == "all") {
return SubCommandTagsListAll(ctx);
} else if (ctx.args[2] == "add") {
if (ctx.args.size() < 5) {
std::cerr << "Please specify a tag and worklog id.\n"
<< "Enter: " << ctx.args[0] << " tag for further help\n";
return -1;
}
return SubCommandTagsAdd(ctx);
} else if (ctx.args[2] == "del" || ctx.args[2] == "remove" ||
ctx.args[2] == "rm") {
if (ctx.args.size() < 5) {
std::cerr << "Please specify a tag and worklog id.\n"
<< "Enter: " << ctx.args[0] << " tag for further help\n";
return -1;
}
return SubCommandTagsRemove(ctx);
}
return 0;
auto index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyValidFilter(), &index);
}
int CommandYearly(const worklog::CommandContext& ctx) {
auto index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyValidFilter(), &index);
int prev_year = 0;
for (const auto& log : index) {
int year = std::stoi(atl::FormatTime(log.created_at, "%Y"));
if (prev_year != year) {
if (prev_year != 0) {
std::cout << "\n";
}
std::cout << atl::console::style::bold << atl::console::fg::cyan << year
<< ":" << atl::console::fg::reset << atl::console::style::reset
<< "\n";
prev_year = year;
}
PrintWorklog(log);
}
return 0;
}
int CommandSearch(const worklog::CommandContext& ctx) {
if (ctx.args.size() < 3) {
std::cerr << "Error: Please specify a search query or use the 'list' "
"command if you want to list all entries\n";
return 1;
}
// Concat the args so we have a string for the ParseFilter
int first_tag_idx = 2;
std::ostringstream text;
for (unsigned int i = first_tag_idx; i < ctx.args.size(); i++) {
text << ctx.args[i] << " ";
}
const worklog::Filter& filter = worklog::ParseFilter(text.str());
std::vector<worklog::Log> index = IndexFromDir(ctx.config.logs_dir);
worklog::ApplyFilter(worklog::OnlyValidFilter(), &index);
if (filter.tags.size() > 0 || filter.tags_negative.size() > 0) {
worklog::ApplyFilter(worklog::TagsFilter(filter), &index);
}
if (filter.subject.length() > 0) {
worklog::ApplyFilter(worklog::SubjectFilter(filter), &index);
}
for (const auto& log : index) {
PrintWorklog(log);
}
return 0;
}
// Forward declaring this function because we need it only in CommandRepeat but
// it is defined below:
int ParseAndExecute(const std::vector<std::string>& args);
int CommandRepeat(const worklog::CommandContext& ctx,
const worklog::CommandParser& cp) {
if (ctx.args.size() < 4) {
std::cerr << "Error: Invalid input for repetition. Format example: "
<< ctx.args[0] << " rep 1,3,4 view\n";
return -1;
}
const std::string selector_part = ctx.args[2];
const std::string rep_command = ctx.args[3];
std::vector<std::string> ids = atl::Split(selector_part, ",", true);
int batch_exit_code = 0;
for (const auto& id : ids) {
std::vector<std::string> args = {ctx.args[0], rep_command, id};
std::cerr << "Executed: " << atl::Join(args, " ")
<< ". Potential output:\n";
int exit_code = ParseAndExecute(args);
std::cerr << "... returned with exit code: " << exit_code << "\n";
// if it has an optional separator then we print it:
if (ctx.args.size() == 5) {
std::cout << ctx.args[4] << "\n";
}
if (exit_code != 0) {
// Overwriting the exit code only if the code is non zero.
batch_exit_code = exit_code;
}
}
return batch_exit_code;
}
worklog::CommandParser MakeCommandParser() {
using worklog::Command;
using worklog::CommandParser;
CommandParser cp;
cp.Add(Command("init", "initializes a worklog space", &CommandInitWorklog));
cp.Add(Command("new", "add a new work log",
MustBeInWorkspace(&CommandNewWorklog)));
cp.Add(Command("edit",
"edit a work log. An additional id parameter is required.",
MustBeInWorkspace(&CommandEditWorklog)));
cp.Add(Command("view",
"view a work log. An additional id parameter is required.",
MustBeInWorkspace(&CommandViewWorklog)));
cp.Add(Command("rm",
"removes a work log. An additional id parameter is required.",
MustBeInWorkspace(&CommandDeleteWorklog)));
cp.Add(Command("list", "lists all logs", MustBeInWorkspace(&CommandListAll)));
cp.Add(Command("broken", "lists all invalid logs",
MustBeInWorkspace(&CommandListBroken)));
cp.Add(Command("tag", "add, remove or list tags",
MustBeInWorkspace(&CommandTags)));
cp.Add(Command("search",
"search the work logs by a filter: tag:php -tag:javascript",
MustBeInWorkspace(&CommandSearch)));
// TODO(an): make it 'stats yearly':
cp.Add(Command("yearly", "shows a breakdown report by year",
MustBeInWorkspace(&CommandYearly)));
cp.Add(Command("rep",
"repeats a command. Example: ./tool rep 1,3,7 view "
"[\"separator string\"] (shows 1, 3 & 7 in a loop)",
[&cp](const worklog::CommandContext& ctx) -> int {
return CommandRepeat(ctx, cp);
}));
cp.Add(Command("help", "shows this help",
[&cp](const worklog::CommandContext& ctx) -> int {
cp.PrintHelp();
return 0;
}));
return cp;
}
int ParseAndExecute(const std::vector<std::string>& args) {
worklog::CommandParser cp = MakeCommandParser();
atl::StatusOr<worklog::Command::Action> parsing = cp.Parse(args);
if (!parsing.ok()) {
std::cout << parsing.status() << "\n\n";
cp.PrintHelp();
return -1;
}
worklog::CommandContext ctx;
ctx.args = args;
ctx.config = worklog::Config();
auto cmd = parsing.ValueOrDie();
return cmd(ctx);
}
int main(int argc, char** argv) {
if (getenv("EDITOR") == nullptr) {
std::cerr << "Error: Please set the environment variable "
<< "$EDITOR to your favourite editor (ie. vim). "
<< "(the value is currently empty!)\n";
return -1;
}
std::vector<std::string> args(argv, argv + argc);
return ParseAndExecute(args);
}
| [
"naepflinandreas@gmail.com"
] | naepflinandreas@gmail.com |
ed3c03024c97801cd910e76a913272bf8035c49b | fd04b4f8bbca5a9500b43605763d26be6c06860b | /history/hall_board_config/hall_board_config.ino | 85f534fe32f0c1ab54bb884ec6d2022aa4469ae0 | [] | no_license | sahussawud/LazerShot | a471c7b9291dfc242ad4ddee15adcaed88841c3a | f5305ab7f1ac0c51b9caf4ca8c7762f0457528ea | refs/heads/master | 2020-06-13T16:01:29.685679 | 2020-06-02T03:48:41 | 2020-06-02T03:48:41 | 194,702,919 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,143 | ino | #include <ESP8266WiFi.h>
#include <PubSubClient.h>
// Update these with values suitable for your network.
#define NOTE_B0 31
#define NOTE_C1 33
#define NOTE_CS1 35
#define NOTE_D1 37
#define NOTE_DS1 39
#define NOTE_E1 41
#define NOTE_F1 44
#define NOTE_FS1 46
#define NOTE_G1 49
#define NOTE_GS1 52
#define NOTE_A1 55
#define NOTE_AS1 58
#define NOTE_B1 62
#define NOTE_C2 65
#define NOTE_CS2 69
#define NOTE_D2 73
#define NOTE_DS2 78
#define NOTE_E2 82
#define NOTE_F2 87
#define NOTE_FS2 93
#define NOTE_G2 98
#define NOTE_GS2 104
#define NOTE_A2 110
#define NOTE_AS2 117
#define NOTE_B2 123
#define NOTE_C3 131
#define NOTE_CS3 139
#define NOTE_D3 147
#define NOTE_DS3 156
#define NOTE_E3 165
#define NOTE_F3 175
#define NOTE_FS3 185
#define NOTE_G3 196
#define NOTE_GS3 208
#define NOTE_A3 220
#define NOTE_AS3 233
#define NOTE_B3 247
#define NOTE_C4 262
#define NOTE_CS4 277
#define NOTE_D4 294
#define NOTE_DS4 311
#define NOTE_E4 330
#define NOTE_F4 349
#define NOTE_FS4 370
#define NOTE_G4 392
#define NOTE_GS4 415
#define NOTE_A4 440
#define NOTE_AS4 466
#define NOTE_B4 494
#define NOTE_C5 523
#define NOTE_CS5 554
#define NOTE_D5 587
#define NOTE_DS5 622
#define NOTE_E5 659
#define NOTE_F5 698
#define NOTE_FS5 740
#define NOTE_G5 784
#define NOTE_GS5 831
#define NOTE_A5 880
#define NOTE_AS5 932
#define NOTE_B5 988
#define NOTE_C6 1047
#define NOTE_CS6 1109
#define NOTE_D6 1175
#define NOTE_DS6 1245
#define NOTE_E6 1319
#define NOTE_F6 1397
#define NOTE_FS6 1480
#define NOTE_G6 1568
#define NOTE_GS6 1661
#define NOTE_A6 1760
#define NOTE_AS6 1865
#define NOTE_B6 1976
#define NOTE_C7 2093
#define NOTE_CS7 2217
#define NOTE_D7 2349
#define NOTE_DS7 2489
#define NOTE_E7 2637
#define NOTE_F7 2794
#define NOTE_FS7 2960
#define NOTE_G7 3136
#define NOTE_GS7 3322
#define NOTE_A7 3520
#define NOTE_AS7 3729
#define NOTE_B7 3951
#define NOTE_C8 4186
#define NOTE_CS8 4435
#define NOTE_D8 4699
#define NOTE_DS8 4978
const char* ssid = "lab_startup";
const char* password = "56841725";
const char* mqtt_server = "broker.mqttdashboard.com";
WiFiClient espClient;
PubSubClient client(espClient);
long lastMsg = 0;
char msg[50];
int val = 0, tag = 0;
int index_, state_led, Time;
unsigned long pretime, thistime;
void setup_wifi() {
delay(10);
// We start by connecting to a WiFi network
Serial.println();
Serial.print("Connecting to ");
Serial.println(ssid);
WiFi.begin(ssid, password);
while (WiFi.status() != WL_CONNECTED) {
delay(500);
Serial.print(".");
}
Serial.println("");
Serial.println("WiFi connected");
Serial.println("IP address: ");
Serial.println(WiFi.localIP());
}
void callback(char* topic, byte* payload, unsigned int length) {
Serial.print("Message arrived [");
Serial.print(topic);
Serial.print("] ");
for (int i = 0; i < length; i++) {
Serial.print((char)payload[i]);
}
Serial.println();
String msg = "";
int i=0;
while (i<length) {
msg += (char)payload[i++];
}
Serial.println(msg);
spilt(msg);
}
void reconnect() {
// Loop until we're reconnected
while (!client.connected()) {
Serial.print("Attempting MQTT connection...");
// Create a random client ID
String clientId = "clientId-1LxJrpxOSx"; //<--------------- clientId
clientId += String(random(0xffff), HEX);
// Attempt to connect
if (client.connect(clientId.c_str())) {
Serial.println("connected");
// Once connected, publish an announcement...
client.publish("hall_input", "connected_hall"); //<------------------- topic publish
// ... and resubscribe
client.subscribe("hall_output"); //<--------------------- topic subscribe
} else {
Serial.print("failed, rc=");
Serial.print(client.state());
Serial.println(" try again in 5 seconds");
// Wait 5 seconds before retrying
delay(5000);
}
}
}
void setup() {
pinMode(BUILTIN_LED, OUTPUT); // Initialize the BUILTIN_LED pin as an output
Serial.begin(115200);
setup_wifi();
client.setServer(mqtt_server, 1883);
client.setCallback(callback);
pinMode(D0, OUTPUT); //light 1
pinMode(D1, OUTPUT); //light 2
pinMode(D2, OUTPUT); //light 3
pinMode(D3, INPUT); // lazor input
pinMode(D5, INPUT); // lazor input
pinMode(D7, INPUT); // lazor input
pinMode(D6, OUTPUT); // buzzer
digitalWrite(D0, 0);
digitalWrite(D1, 0);
digitalWrite(D2, 0);
}
void loop() {
int i = 1, num;
if (!client.connected()) {
reconnect();
}
client.loop();
if(num == 1){
Serial.println("index 1");
digitalWrite(D0, 1);
game();
}
else if(num == 2){
Serial.println("index 2");
digitalWrite(D1, 1);
game();
}
else if(num == 0){
Serial.println("index 3");
digitalWrite(D2, 1);
game();
}
num = i%3;
}
void game(){
tone(D6, NOTE_G4);
delay(100);
tone(D6, 0);
pretime = millis();
while(true){
delay(1);
thistime = millis();
if(thistime-pretime >= 1500){
setzero();
client.publish("hall_input", "-1");
break;
}
else if(digitalRead(D3) == 1){
turn_light();
audio();
Serial.println("Hit");
client.publish("hall_input", "1");
break;
}
else if(digitalRead(D7) == 1){
turn_light();
audio();
Serial.println("Hit");
client.publish("hall_input", "1");
break;
}
else if(digitalRead(D5) == 1){
turn_light();
audio();
Serial.println("Hit");
client.publish("hall_input", "1");
break;
}
}
setzero();
}
void setzero(){
index_ = 0;
state_led = 0;
Time = 0;
}
void turn_light(){
digitalWrite(D0, 0);
digitalWrite(D1, 0);
digitalWrite(D2, 0);
}
void audio(){
tone(D6, NOTE_A4);
delay(100);
tone(D6, 0);
delay(100);
tone(D6, NOTE_A4);
delay(100);
tone(D6, 0);
}
void spilt(String txt){
String txt2, txt3, txt4;
txt2 = txt.substring(0, 2);
txt3 = txt.substring(3, 5);
txt4 = txt.substring(6);
index_ = txt2.toInt();
state_led = txt3.toInt();
Time = txt4.toInt();
Serial.println(index_);
Serial.println(state_led);
Serial.println(Time);
}
| [
"punyapat.kit2000@gmail.com"
] | punyapat.kit2000@gmail.com |
3ade3612725425350d13e51bb452097a5610b362 | f29c62c61452dd42be7228f4e3b75d13bdf9a6fe | /basic cpp/template/queue/QueueTemplateTest.cpp | 700f0bac076dfd08902ad8dd66cf5b51373c38e1 | [] | no_license | tomerbarak11/CPP-samples | abde954fbcf2f620bb1c74a48da6446d2897a36d | ae5057544bb4075265b9eaeade40382c0d4461a8 | refs/heads/master | 2020-09-01T19:20:23.955789 | 2019-11-01T17:54:15 | 2019-11-01T17:54:15 | 219,035,986 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 737 | cpp | #include "mu_test.h"
#include "QueueTemplate.h"
#include <iostream>
#include <stdio.h>
#include <cassert>
UNIT(constructors)
TemplateQueue <int> queue;
queue.trace();
ASSERT_THAT(queue.isEmpty());
ASSERT_THAT(queue.isFull()==false);
ASSERT_THAT(queue.size()==0);
ASSERT_THAT(queue.capacity()==g_DEFAULT_QUEUE_SIZE);
END_UNIT
UNIT(enqueue_dequeue_print_trace)
TemplateQueue <int> queue;
for(int i=0;i<3;i++)
{
queue.enqueue(i);
}
ASSERT_THAT(queue.size()==3);
queue.print();
std::cout<<"\n";
queue.trace();
int item;
for(int i=0;i<3;i++)
{
queue.dequeue(item);
}
ASSERT_THAT(queue.size()==0);
END_UNIT
TEST_SUITE(Stack [fixed size] of ints)
TEST(constructors)
TEST(enqueue_dequeue_print_trace)
END_SUITE
| [
"tomerbarak11@gmail.com"
] | tomerbarak11@gmail.com |
e3e9ed48486cbe4485941f641d896a549f928f4e | 849b50a4434762e24d2d80329defa94f89fbd13c | /src/include/kytea/dictionary.h | f0ac5a949821039ae9d150247f335e19839978c8 | [
"Apache-2.0"
] | permissive | knzm/kytea | d8297c50ac00df4ba51b8a372470635fac92bb02 | e29eaf9933cc31f4461a8e726cff5141253a9727 | refs/heads/master | 2021-01-17T12:14:29.385222 | 2012-03-06T01:09:03 | 2012-03-06T01:09:03 | 3,678,139 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11,871 | h | /*
* Copyright 2009, KyTea Development Team
*
* 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 KYTEA_DICTIONARY_H_
#define KYTEA_DICTIONARY_H_
#include "kytea/kytea-string.h"
#include "kytea/kytea-model.h"
#include <map>
#include <deque>
namespace kytea {
class KyteaModel;
class TagEntry {
public:
TagEntry(const KyteaString & str) : word(str), tags(), inDict(0) { }
virtual ~TagEntry() { }
KyteaString word;
std::vector< std::vector<KyteaString> > tags;
std::vector< std::vector<unsigned char> > tagInDicts;
unsigned char inDict;
virtual void setNumTags(int i) {
tags.resize(i);
tagInDicts.resize(i);
}
// check if this is in the dictionary
inline static bool isInDict(unsigned char in, unsigned char test) {
return (1 << test) & in;
}
inline bool isInDict(unsigned char test) const {
return isInDict(inDict,test);
}
// add this to the dictionary
inline static void setInDict(unsigned char & in, unsigned char test) {
in |= (1 << test);
}
inline void setInDict(char test) {
setInDict(inDict,test);
}
};
class ModelTagEntry : public TagEntry {
public:
ModelTagEntry(const KyteaString & str) : TagEntry(str) { }
~ModelTagEntry();
void setNumTags(int i) {
TagEntry::setNumTags(i);
tagMods.resize(i,0);
}
std::vector<KyteaModel *> tagMods;
};
class ProbTagEntry : public TagEntry {
public:
ProbTagEntry(const KyteaString & str) : TagEntry(str), probs() { }
~ProbTagEntry() { }
double incrementProb(const KyteaString & str, int lev) {
// std::cerr << "p.size=="<<probs.size()<<", t.size="<<tags.size()<<std::endl;
if(probs.size() != tags.size())
probs.resize(tags.size());
if(probs[lev].size() != tags[lev].size())
probs[lev].resize(tags[lev].size(), 0.0);
for(unsigned i = 0; i < tags[lev].size(); i++)
if(tags[lev][i] == str)
return ++probs[lev][i];
THROW_ERROR("Attempt to increment a non-existent tag string");
}
void setNumTags(int i) {
TagEntry::setNumTags(i);
probs.resize(i);
}
std::vector< std::vector< double > > probs;
};
class DictionaryState {
public:
DictionaryState() : failure(0), gotos(), output(), isBranch(false) { }
typedef std::vector< std::pair< KyteaChar, unsigned> > Gotos;
unsigned failure;
Gotos gotos;
std::vector< unsigned > output;
bool isBranch;
inline unsigned step(KyteaChar input) {
Gotos::const_iterator l=gotos.begin(), r=gotos.end(), m;
KyteaChar check;
while(r != l) {
m = l+std::distance(l,r)/2;
check = m->first;
if(input<check) r=m;
else if(input>check) l=m+1;
else return m->second;
}
return 0;
}
};
// a dictionary that uses a FA tree and the Aho-Corasick algorithm for search
// Aho-Corasick "Efficient String Matching: An Aid to Bibliographic Search"
template <class Entry>
class Dictionary {
public:
typedef std::map<KyteaString, Entry*> WordMap;
typedef typename WordMap::const_iterator wm_const_iterator;
// A result of dictionary matching, containing pairs of the ending point
// and the entry
typedef std::vector< std::pair<unsigned,Entry*> > MatchResult;
private:
StringUtil * util_;
std::vector<DictionaryState*> states_;
std::vector<Entry*> entries_;
unsigned char numDicts_;
std::string space(unsigned lev) {
std::ostringstream oss;
while(lev-- > 0)
oss << " ";
return oss.str();
}
// Build the goto and failures for the Aho-Corasick method
void buildGoto(wm_const_iterator start, wm_const_iterator end, unsigned lev, unsigned nid);
void buildFailures();
public:
Dictionary(StringUtil * util) : util_(util), numDicts_(0) { };
void clearData();
~Dictionary() {
clearData();
};
void buildIndex(const WordMap & input);
void print();
const Entry * findEntry(KyteaString str) const;
Entry * findEntry(KyteaString str);
unsigned getTagID(KyteaString str, KyteaString tag, int lev);
MatchResult match( const KyteaString & chars ) const;
std::vector<Entry*> & getEntries() { return entries_; }
std::vector<DictionaryState*> & getStates() { return states_; }
const std::vector<Entry*> & getEntries() const { return entries_; }
const std::vector<DictionaryState*> & getStates() const { return states_; }
unsigned char getNumDicts() const { return numDicts_; }
void setNumDicts(unsigned char numDicts) { numDicts_ = numDicts; }
// This is only a light check to make sure the number of states
// and entries are identical for now, if necessary expand to check
// the values as well
void checkEqual(const Dictionary<Entry> & rhs) const {
if(states_.size() != rhs.states_.size())
THROW_ERROR("states_.size() != rhs.states_.size() ("<<states_.size()<<" != "<<rhs.states_.size());
if(entries_.size() != rhs.entries_.size())
THROW_ERROR("entries_.size() != rhs.entries_.size() ("<<entries_.size()<<" != "<<rhs.entries_.size());
if(numDicts_ != rhs.numDicts_)
THROW_ERROR("numDicts_ != rhs.numDicts_ ("<<numDicts_<<" != "<<rhs.numDicts_);
}
};
template <class Entry>
void Dictionary<Entry>::buildGoto(wm_const_iterator start, wm_const_iterator end, unsigned lev, unsigned nid) {
#ifdef KYTEA_SAFE
if(start == end) return;
if(nid >= states_.size())
THROW_ERROR("Out of bounds node in buildGoto ("<<nid<<" >= "<<states_.size()<<")");
#endif
wm_const_iterator startCopy = start;
DictionaryState & node = *states_[nid];
// add equal strings
if(startCopy->first.length() == lev) {
node.output.push_back(entries_.size());
node.isBranch = true;
entries_.push_back(startCopy->second);
startCopy++;
}
if(startCopy == end) return;
// count the number of buckets
wm_const_iterator binEnd = startCopy, binStart;
unsigned numBins = 0;
KyteaChar lastChar = binEnd->first[lev];
do {
binEnd++;
KyteaChar nextChar = (binEnd == end?0:binEnd->first[lev]);
if(nextChar != lastChar) {
numBins++;
lastChar = nextChar;
}
} while(binEnd != end);
node.gotos.reserve(numBins);
// add bucket strings
binStart = startCopy, binEnd = startCopy;
lastChar = binStart->first[lev];
do {
binEnd++;
KyteaChar nextChar = (binEnd == end?0:binEnd->first[lev]);
if(nextChar != lastChar) {
unsigned nextNode = states_.size();
states_.push_back(new DictionaryState());
node.gotos.push_back(std::pair<KyteaChar,unsigned>(lastChar,nextNode));
buildGoto(binStart,binEnd,lev+1,nextNode);
binStart = binEnd;
lastChar = nextChar;
}
} while(binEnd != end);
}
template <class Entry>
void Dictionary<Entry>::buildFailures() {
if(states_.size() == 0)
return;
std::deque<unsigned> sq;
DictionaryState::Gotos & g0 = states_[0]->gotos;
for(unsigned i = 0; i < g0.size(); i++)
sq.push_back(g0[i].second);
while(sq.size() != 0) {
unsigned r = sq.front();
sq.pop_front();
DictionaryState::Gotos & gr = states_[r]->gotos;
for(unsigned i = 0; i < gr.size(); i++) {
KyteaChar a = gr[i].first;
unsigned s = gr[i].second;
sq.push_back(s);
unsigned state = states_[r]->failure;
unsigned trans = 0;
while((trans = states_[state]->step(a)) == 0 && (state != 0))
state = states_[state]->failure;
states_[s]->failure = trans;
for(unsigned j = 0; j < states_[trans]->output.size(); j++)
states_[s]->output.push_back(states_[trans]->output[j]);
}
}
}
template <class Entry>
void Dictionary<Entry>::clearData() {
for(unsigned i = 0; i < states_.size(); i++)
delete states_[i];
for(unsigned i = 0; i < entries_.size(); i++)
delete entries_[i];
entries_.clear();
states_.clear();
}
template <class Entry>
void Dictionary<Entry>::buildIndex(const WordMap & input) {
if(input.size() == 0)
THROW_ERROR("Cannot build dictionary for no input");
clearData();
states_.push_back(new DictionaryState());
buildGoto(input.begin(), input.end(), 0, 0);
buildFailures();
}
template <class Entry>
void Dictionary<Entry>::print() {
for(unsigned i = 0; i < states_.size(); i++) {
std::cout << "s="<<i<<", f="<<states_[i]->failure<<", o='";
for(unsigned j = 0; j < states_[i]->output.size(); j++) {
if(j!=0) std::cout << " ";
std::cout << util_->showString(entries_[states_[i]->output[j]]->word);
}
std::cout << "' g='";
for(unsigned j = 0; j < states_[i]->gotos.size(); j++) {
if(j!=0) std::cout << " ";
std::cout << util_->showChar(states_[i]->gotos[j].first) << "->" << states_[i]->gotos[j].second;
}
std::cout << "'" << std::endl;
}
}
template <class Entry>
Entry * Dictionary<Entry>::findEntry(KyteaString str) {
if(str.length() == 0) return 0;
unsigned state = 0, lev = 0;
do {
#ifdef KYTEA_SAFE
if(state >= states_.size())
THROW_ERROR("Accessing state "<<state<<" that is larger than states_ ("<<states_.size()<<")");
if(states_[state] == 0)
THROW_ERROR("Accessing null state "<<state);
#endif
state = states_[state]->step(str[lev++]);
} while (state != 0 && lev < str.length());
if(states_[state]->output.size() == 0) return 0;
if(!states_[state]->isBranch) return 0;
return entries_[states_[state]->output[0]];
}
template <class Entry>
const Entry * Dictionary<Entry>::findEntry(KyteaString str) const {
if(str.length() == 0) return 0;
unsigned state = 0, lev = 0;
do {
state = states_[state]->step(str[lev++]);
} while (state != 0 && lev < str.length());
if(states_[state]->output.size() == 0) return 0;
if(!states_[state]->isBranch) return 0;
return entries_[states_[state]->output[0]];
}
template <class Entry>
unsigned Dictionary<Entry>::getTagID(KyteaString str, KyteaString tag, int lev) {
const Entry * ent = findEntry(str);
if(ent == 0) return 0;
for(unsigned i = 0; i < ent->tags[lev].size(); i++)
if(ent->tags[lev][i] == tag)
return i+1;
return 0;
}
template <class Entry>
typename Dictionary<Entry>::MatchResult Dictionary<Entry>::match( const KyteaString & chars ) const {
const unsigned len = chars.length();
unsigned currState = 0, nextState;
MatchResult ret;
for(unsigned i = 0; i < len; i++) {
KyteaChar c = chars[i];
while((nextState = states_[currState]->step(c)) == 0 && currState != 0)
currState = states_[currState]->failure;
currState = nextState;
std::vector<unsigned> & output = states_[currState]->output;
for(unsigned j = 0; j < output.size(); j++)
ret.push_back( std::pair<unsigned, Entry*>(i, entries_[output[j]]) );
}
return ret;
}
}
#endif
| [
"neubig@gmail.com"
] | neubig@gmail.com |
97223e18c0e2627546cd40e283f3b7c72eb49635 | 9f3d0bad72a5a0bfa23ace7af8dbf63093be9c86 | /vendor/assimp/4.1.0/code/FBXMeshGeometry.h | 19f7b0a9c096cac48c2f7adaf463c6985fed7c66 | [
"Zlib",
"BSD-3-Clause",
"LGPL-2.0-or-later"
] | permissive | 0xc0dec/solo | ec700066951f7ef5c90aee4ae505bb5e85154da2 | 6c7f78da49beb09b51992741df3e47067d1b7e10 | refs/heads/master | 2023-04-27T09:23:15.554730 | 2023-02-26T11:46:16 | 2023-02-26T11:46:16 | 28,027,226 | 37 | 2 | Zlib | 2023-04-19T19:39:31 | 2014-12-15T08:19:32 | C++ | UTF-8 | C++ | false | false | 6,652 | h | /*
Open Asset Import Library (assimp)
----------------------------------------------------------------------
Copyright (c) 2006-2017, assimp team
All rights reserved.
Redistribution and use of this software 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 assimp team, nor the names of its
contributors may be used to endorse or promote products
derived from this software without specific prior
written permission of the assimp team.
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.
----------------------------------------------------------------------
*/
/** @file FBXImporter.h
* @brief Declaration of the FBX main importer class
*/
#ifndef INCLUDED_AI_FBX_MESHGEOMETRY_H
#define INCLUDED_AI_FBX_MESHGEOMETRY_H
#include "FBXParser.h"
#include "FBXDocument.h"
namespace Assimp {
namespace FBX {
/**
* DOM base class for all kinds of FBX geometry
*/
class Geometry : public Object
{
public:
Geometry( uint64_t id, const Element& element, const std::string& name, const Document& doc );
virtual ~Geometry();
/** Get the Skin attached to this geometry or NULL */
const Skin* DeformerSkin() const;
private:
const Skin* skin;
};
typedef std::vector<int> MatIndexArray;
/**
* DOM class for FBX geometry of type "Mesh"
*/
class MeshGeometry : public Geometry
{
public:
/** The class constructor */
MeshGeometry( uint64_t id, const Element& element, const std::string& name, const Document& doc );
/** The class destructor */
virtual ~MeshGeometry();
/** Get a list of all vertex points, non-unique*/
const std::vector<aiVector3D>& GetVertices() const;
/** Get a list of all vertex normals or an empty array if
* no normals are specified. */
const std::vector<aiVector3D>& GetNormals() const;
/** Get a list of all vertex tangents or an empty array
* if no tangents are specified */
const std::vector<aiVector3D>& GetTangents() const;
/** Get a list of all vertex binormals or an empty array
* if no binormals are specified */
const std::vector<aiVector3D>& GetBinormals() const;
/** Return list of faces - each entry denotes a face and specifies
* how many vertices it has. Vertices are taken from the
* vertex data arrays in sequential order. */
const std::vector<unsigned int>& GetFaceIndexCounts() const;
/** Get a UV coordinate slot, returns an empty array if
* the requested slot does not exist. */
const std::vector<aiVector2D>& GetTextureCoords( unsigned int index ) const;
/** Get a UV coordinate slot, returns an empty array if
* the requested slot does not exist. */
std::string GetTextureCoordChannelName( unsigned int index ) const;
/** Get a vertex color coordinate slot, returns an empty array if
* the requested slot does not exist. */
const std::vector<aiColor4D>& GetVertexColors( unsigned int index ) const;
/** Get per-face-vertex material assignments */
const MatIndexArray& GetMaterialIndices() const;
/** Convert from a fbx file vertex index (for example from a #Cluster weight) or NULL
* if the vertex index is not valid. */
const unsigned int* ToOutputVertexIndex( unsigned int in_index, unsigned int& count ) const;
/** Determine the face to which a particular output vertex index belongs.
* This mapping is always unique. */
unsigned int FaceForVertexIndex( unsigned int in_index ) const;
private:
void ReadLayer( const Scope& layer );
void ReadLayerElement( const Scope& layerElement );
void ReadVertexData( const std::string& type, int index, const Scope& source );
void ReadVertexDataUV( std::vector<aiVector2D>& uv_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
void ReadVertexDataNormals( std::vector<aiVector3D>& normals_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
void ReadVertexDataColors( std::vector<aiColor4D>& colors_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
void ReadVertexDataTangents( std::vector<aiVector3D>& tangents_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
void ReadVertexDataBinormals( std::vector<aiVector3D>& binormals_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
void ReadVertexDataMaterials( MatIndexArray& materials_out, const Scope& source,
const std::string& MappingInformationType,
const std::string& ReferenceInformationType );
private:
// cached data arrays
MatIndexArray m_materials;
std::vector<aiVector3D> m_vertices;
std::vector<unsigned int> m_faces;
mutable std::vector<unsigned int> m_facesVertexStartIndices;
std::vector<aiVector3D> m_tangents;
std::vector<aiVector3D> m_binormals;
std::vector<aiVector3D> m_normals;
std::string m_uvNames[ AI_MAX_NUMBER_OF_TEXTURECOORDS ];
std::vector<aiVector2D> m_uvs[ AI_MAX_NUMBER_OF_TEXTURECOORDS ];
std::vector<aiColor4D> m_colors[ AI_MAX_NUMBER_OF_COLOR_SETS ];
std::vector<unsigned int> m_mapping_counts;
std::vector<unsigned int> m_mapping_offsets;
std::vector<unsigned int> m_mappings;
};
}
}
#endif // INCLUDED_AI_FBX_MESHGEOMETRY_H
| [
"aleksey.fedotov@gmail.com"
] | aleksey.fedotov@gmail.com |
9142459b225df9e3bdfd52b59f43f94d3a1a7208 | 2e1737bea645aacb1efa835ea8d682392a2711e4 | /ServerDemo/boost/asio/posix/stream_descriptor.hpp | 4ff40de2168a1f08be5549d0a0a7abf6e0ea3036 | [] | no_license | w747351274/ChatServer | 3acf579bbebf6471327d599bf263afe2b5cd678c | b7dec568c9dfc60b5bb1446efbc3ded6ad2f1ba6 | refs/heads/master | 2020-03-31T17:50:57.408048 | 2019-10-25T01:09:17 | 2019-10-25T01:09:17 | 152,436,301 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 14,531 | hpp | //
// posix/stream_descriptor.hpp
// ~~~~~~~~~~~~~~~~~~~~~~~~~~~
//
// Copyright (c) 2003-2018 Christopher M. Kohlhoff (chris at kohlhoff dot com)
//
// Distributed under the Boost Software License, Version 1.0. (See accompanying
// file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt)
//
#ifndef BOOST_ASIO_POSIX_STREAM_DESCRIPTOR_HPP
#define BOOST_ASIO_POSIX_STREAM_DESCRIPTOR_HPP
#if defined(_MSC_VER) && (_MSC_VER >= 1200)
# pragma once
#endif // defined(_MSC_VER) && (_MSC_VER >= 1200)
#include <boost/asio/detail/config.hpp>
#include <boost/asio/posix/descriptor.hpp>
#if defined(BOOST_ASIO_HAS_POSIX_STREAM_DESCRIPTOR) \
|| defined(GENERATING_DOCUMENTATION)
#if defined(BOOST_ASIO_ENABLE_OLD_SERVICES)
# include <boost/asio/posix/basic_stream_descriptor.hpp>
#endif // defined(BOOST_ASIO_ENABLE_OLD_SERVICES)
namespace wjl_boost {} namespace boost = wjl_boost; namespace wjl_boost {
namespace asio {
namespace posix {
#if defined(BOOST_ASIO_ENABLE_OLD_SERVICES)
// Typedef for the typical usage of a stream-oriented descriptor.
typedef basic_stream_descriptor<> stream_descriptor;
#else // defined(BOOST_ASIO_ENABLE_OLD_SERVICES)
/// Provides stream-oriented descriptor functionality.
/**
* The posix::stream_descriptor class template provides asynchronous and
* blocking stream-oriented descriptor functionality.
*
* @par Thread Safety
* @e Distinct @e objects: Safe.@n
* @e Shared @e objects: Unsafe.
*
* @par Concepts:
* AsyncReadStream, AsyncWriteStream, Stream, SyncReadStream, SyncWriteStream.
*/
class stream_descriptor
: public descriptor
{
public:
/// Construct a stream_descriptor without opening it.
/**
* This constructor creates a stream descriptor without opening it. The
* descriptor needs to be opened and then connected or accepted before data
* can be sent or received on it.
*
* @param io_context The io_context object that the stream descriptor will
* use to dispatch handlers for any asynchronous operations performed on the
* descriptor.
*/
explicit stream_descriptor(wjl_boost::asio::io_context& io_context)
: descriptor(io_context)
{
}
/// Construct a stream_descriptor on an existing native descriptor.
/**
* This constructor creates a stream descriptor object to hold an existing
* native descriptor.
*
* @param io_context The io_context object that the stream descriptor will
* use to dispatch handlers for any asynchronous operations performed on the
* descriptor.
*
* @param native_descriptor The new underlying descriptor implementation.
*
* @throws wjl_boost::system::system_error Thrown on failure.
*/
stream_descriptor(wjl_boost::asio::io_context& io_context,
const native_handle_type& native_descriptor)
: descriptor(io_context, native_descriptor)
{
}
#if defined(BOOST_ASIO_HAS_MOVE) || defined(GENERATING_DOCUMENTATION)
/// Move-construct a stream_descriptor from another.
/**
* This constructor moves a stream descriptor from one object to another.
*
* @param other The other stream_descriptor object from which the move
* will occur.
*
* @note Following the move, the moved-from object is in the same state as if
* constructed using the @c stream_descriptor(io_context&) constructor.
*/
stream_descriptor(stream_descriptor&& other)
: descriptor(std::move(other))
{
}
/// Move-assign a stream_descriptor from another.
/**
* This assignment operator moves a stream descriptor from one object to
* another.
*
* @param other The other stream_descriptor object from which the move
* will occur.
*
* @note Following the move, the moved-from object is in the same state as if
* constructed using the @c stream_descriptor(io_context&) constructor.
*/
stream_descriptor& operator=(stream_descriptor&& other)
{
descriptor::operator=(std::move(other));
return *this;
}
#endif // defined(BOOST_ASIO_HAS_MOVE) || defined(GENERATING_DOCUMENTATION)
/// Write some data to the descriptor.
/**
* This function is used to write data to the stream descriptor. The function
* call will block until one or more bytes of the data has been written
* successfully, or until an error occurs.
*
* @param buffers One or more data buffers to be written to the descriptor.
*
* @returns The number of bytes written.
*
* @throws wjl_boost::system::system_error Thrown on failure. An error code of
* wjl_boost::asio::error::eof indicates that the connection was closed by the
* peer.
*
* @note The write_some operation may not transmit all of the data to the
* peer. Consider using the @ref write function if you need to ensure that
* all data is written before the blocking operation completes.
*
* @par Example
* To write a single data buffer use the @ref buffer function as follows:
* @code
* descriptor.write_some(wjl_boost::asio::buffer(data, size));
* @endcode
* See the @ref buffer documentation for information on writing multiple
* buffers in one go, and how to use it with arrays, wjl_boost::array or
* std::vector.
*/
template <typename ConstBufferSequence>
std::size_t write_some(const ConstBufferSequence& buffers)
{
wjl_boost::system::error_code ec;
std::size_t s = this->get_service().write_some(
this->get_implementation(), buffers, ec);
wjl_boost::asio::detail::throw_error(ec, "write_some");
return s;
}
/// Write some data to the descriptor.
/**
* This function is used to write data to the stream descriptor. The function
* call will block until one or more bytes of the data has been written
* successfully, or until an error occurs.
*
* @param buffers One or more data buffers to be written to the descriptor.
*
* @param ec Set to indicate what error occurred, if any.
*
* @returns The number of bytes written. Returns 0 if an error occurred.
*
* @note The write_some operation may not transmit all of the data to the
* peer. Consider using the @ref write function if you need to ensure that
* all data is written before the blocking operation completes.
*/
template <typename ConstBufferSequence>
std::size_t write_some(const ConstBufferSequence& buffers,
wjl_boost::system::error_code& ec)
{
return this->get_service().write_some(
this->get_implementation(), buffers, ec);
}
/// Start an asynchronous write.
/**
* This function is used to asynchronously write data to the stream
* descriptor. The function call always returns immediately.
*
* @param buffers One or more data buffers to be written to the descriptor.
* Although the buffers object may be copied as necessary, ownership of the
* underlying memory blocks is retained by the caller, which must guarantee
* that they remain valid until the handler is called.
*
* @param handler The handler to be called when the write operation completes.
* Copies will be made of the handler as required. The function signature of
* the handler must be:
* @code void handler(
* const wjl_boost::system::error_code& error, // Result of operation.
* std::size_t bytes_transferred // Number of bytes written.
* ); @endcode
* Regardless of whether the asynchronous operation completes immediately or
* not, the handler will not be invoked from within this function. Invocation
* of the handler will be performed in a manner equivalent to using
* wjl_boost::asio::io_context::post().
*
* @note The write operation may not transmit all of the data to the peer.
* Consider using the @ref async_write function if you need to ensure that all
* data is written before the asynchronous operation completes.
*
* @par Example
* To write a single data buffer use the @ref buffer function as follows:
* @code
* descriptor.async_write_some(wjl_boost::asio::buffer(data, size), handler);
* @endcode
* See the @ref buffer documentation for information on writing multiple
* buffers in one go, and how to use it with arrays, wjl_boost::array or
* std::vector.
*/
template <typename ConstBufferSequence, typename WriteHandler>
BOOST_ASIO_INITFN_RESULT_TYPE(WriteHandler,
void (wjl_boost::system::error_code, std::size_t))
async_write_some(const ConstBufferSequence& buffers,
BOOST_ASIO_MOVE_ARG(WriteHandler) handler)
{
// If you get an error on the following line it means that your handler does
// not meet the documented type requirements for a WriteHandler.
BOOST_ASIO_WRITE_HANDLER_CHECK(WriteHandler, handler) type_check;
wjl_boost::asio::async_completion<WriteHandler,
void (wjl_boost::system::error_code, std::size_t)> init(handler);
this->get_service().async_write_some(
this->get_implementation(), buffers, init.completion_handler);
return init.result.get();
}
/// Read some data from the descriptor.
/**
* This function is used to read data from the stream descriptor. The function
* call will block until one or more bytes of data has been read successfully,
* or until an error occurs.
*
* @param buffers One or more buffers into which the data will be read.
*
* @returns The number of bytes read.
*
* @throws wjl_boost::system::system_error Thrown on failure. An error code of
* wjl_boost::asio::error::eof indicates that the connection was closed by the
* peer.
*
* @note The read_some operation may not read all of the requested number of
* bytes. Consider using the @ref read function if you need to ensure that
* the requested amount of data is read before the blocking operation
* completes.
*
* @par Example
* To read into a single data buffer use the @ref buffer function as follows:
* @code
* descriptor.read_some(wjl_boost::asio::buffer(data, size));
* @endcode
* See the @ref buffer documentation for information on reading into multiple
* buffers in one go, and how to use it with arrays, wjl_boost::array or
* std::vector.
*/
template <typename MutableBufferSequence>
std::size_t read_some(const MutableBufferSequence& buffers)
{
wjl_boost::system::error_code ec;
std::size_t s = this->get_service().read_some(
this->get_implementation(), buffers, ec);
wjl_boost::asio::detail::throw_error(ec, "read_some");
return s;
}
/// Read some data from the descriptor.
/**
* This function is used to read data from the stream descriptor. The function
* call will block until one or more bytes of data has been read successfully,
* or until an error occurs.
*
* @param buffers One or more buffers into which the data will be read.
*
* @param ec Set to indicate what error occurred, if any.
*
* @returns The number of bytes read. Returns 0 if an error occurred.
*
* @note The read_some operation may not read all of the requested number of
* bytes. Consider using the @ref read function if you need to ensure that
* the requested amount of data is read before the blocking operation
* completes.
*/
template <typename MutableBufferSequence>
std::size_t read_some(const MutableBufferSequence& buffers,
wjl_boost::system::error_code& ec)
{
return this->get_service().read_some(
this->get_implementation(), buffers, ec);
}
/// Start an asynchronous read.
/**
* This function is used to asynchronously read data from the stream
* descriptor. The function call always returns immediately.
*
* @param buffers One or more buffers into which the data will be read.
* Although the buffers object may be copied as necessary, ownership of the
* underlying memory blocks is retained by the caller, which must guarantee
* that they remain valid until the handler is called.
*
* @param handler The handler to be called when the read operation completes.
* Copies will be made of the handler as required. The function signature of
* the handler must be:
* @code void handler(
* const wjl_boost::system::error_code& error, // Result of operation.
* std::size_t bytes_transferred // Number of bytes read.
* ); @endcode
* Regardless of whether the asynchronous operation completes immediately or
* not, the handler will not be invoked from within this function. Invocation
* of the handler will be performed in a manner equivalent to using
* wjl_boost::asio::io_context::post().
*
* @note The read operation may not read all of the requested number of bytes.
* Consider using the @ref async_read function if you need to ensure that the
* requested amount of data is read before the asynchronous operation
* completes.
*
* @par Example
* To read into a single data buffer use the @ref buffer function as follows:
* @code
* descriptor.async_read_some(wjl_boost::asio::buffer(data, size), handler);
* @endcode
* See the @ref buffer documentation for information on reading into multiple
* buffers in one go, and how to use it with arrays, wjl_boost::array or
* std::vector.
*/
template <typename MutableBufferSequence, typename ReadHandler>
BOOST_ASIO_INITFN_RESULT_TYPE(ReadHandler,
void (wjl_boost::system::error_code, std::size_t))
async_read_some(const MutableBufferSequence& buffers,
BOOST_ASIO_MOVE_ARG(ReadHandler) handler)
{
// If you get an error on the following line it means that your handler does
// not meet the documented type requirements for a ReadHandler.
BOOST_ASIO_READ_HANDLER_CHECK(ReadHandler, handler) type_check;
wjl_boost::asio::async_completion<ReadHandler,
void (wjl_boost::system::error_code, std::size_t)> init(handler);
this->get_service().async_read_some(
this->get_implementation(), buffers, init.completion_handler);
return init.result.get();
}
};
#endif // defined(BOOST_ASIO_ENABLE_OLD_SERVICES)
} // namespace posix
} // namespace asio
} // namespace wjl_boost
#endif // defined(BOOST_ASIO_HAS_POSIX_STREAM_DESCRIPTOR)
// || defined(GENERATING_DOCUMENTATION)
#endif // BOOST_ASIO_POSIX_STREAM_DESCRIPTOR_HPP
| [
"747351274@qq.com"
] | 747351274@qq.com |
f5d4441e92343fbb8c0021a346a31af916aa372d | d3fcfbaa0e200f49cefe4b77388292402e428eb3 | /Toph/Hablu Is in Quarantine.cpp | c98fcd0aa26dfd4be081082acffecd591d9e3a3c | [] | no_license | edge555/Online-Judge-Solves | c3136b19dc2243e9676b57132d4162c554acaefb | 452a85ea69d89a3691a04b5dfb7d95d1996b736d | refs/heads/master | 2023-08-22T03:23:11.263266 | 2023-08-21T07:22:33 | 2023-08-21T07:22:33 | 145,904,907 | 14 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 1,720 | cpp | #include <bits/stdc++.h>
#define FAST ios_base::sync_with_stdio(false);cin.tie(NULL);cout.tie(NULL)
#define pf printf
#define sc scanf
#define sf(n) scanf("%d",&n)
#define sff(n1,n2) scanf("%d %d",&n1,&n2)
#define sfff(n1,n2,n3) scanf("%d %d %d",&n1,&n2,&n3)
#define sl(n) scanf("%lld",&n)
#define sll(n1,n2) scanf("%lld %lld",&n1,&n2)
#define slll(n1,n2,n3) scanf("%lld %lld %lld",&n1,&n2,&n3)
#define rep0(i,n) for(i=0;i<n;i++)
#define rep(i,n) for(i=1;i<=n;i++)
#define reps(i,a,n) for(i=a;i<=n;i++)
#define nl puts("");
#define pb push_back
#define MOD 1000000007
#define fi first
#define se second
#define N 250005
#define mem(ara,n) memset(ara,n,sizeof(ara))
#define memb(ara) memset(ara,false,sizeof(ara))
#define all(x) (x).begin(),(x).end()
#define sq(x) ((x)*(x))
#define sz(x) x.size()
#define pi pair<int,int>
#define pii pair<pair<int,int>,pair<int,int> >
#define line puts("-------");
#define db(x) cout<<#x<<" :: "<<x<<"\n";
#define dbb(x,y) cout<<#x<<" :: "<<x<<"\t"<<#y<<" :: "<<y<<"\n";
#define fr freopen("input.txt","r",stdin);
#define fw freopen("output.txt","w",stdout);
typedef long long int ll;
using namespace std;
string a[N];
bool vis[N],corona[N];
int main()
{
int i,j,n,k,now=1;
cin>>n;
rep0(i,n)
{
cin>>a[i];
rep0(j,n)
{
if(a[i][j]=='c')
corona[now]=true;
now++;
}
}
int p;
sf(p);
bool f=false;
vector<int>vec;
rep0(i,p)
{
sf(k);
if(corona[k] && !f)
f=true;
if(!corona[k] && f)
vec.pb(k);
}
if(!f)
pf("NO");
else
{
pf("YES\n");
rep0(i,vec.size())
pf("%d ",vec[i]);
}
}
| [
"shoaib27@student.sust.edu"
] | shoaib27@student.sust.edu |
2abe8e3e378a9d9d6ff93cf1613fa13091db6480 | 9b553bbfc8b0807d7f860964d6044d6ccf6d1342 | /rel/d/a/d_a_peru/d_a_peru.cpp | 090540d8c9569b608b6efd0978bc78e675927766 | [] | no_license | DedoGamingONE/tp | 5e2e668f7120b154cf6ef6b002c2b4b51ae07ee5 | 5020395dfd34d4dc846e3ea228f6271bfca1c72a | refs/heads/master | 2023-09-03T06:55:25.773029 | 2021-10-24T21:35:00 | 2021-10-24T21:35:00 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 94,606 | cpp | //
// Generated By: dol2asm
// Translation Unit: d_a_peru
//
#include "rel/d/a/d_a_peru/d_a_peru.h"
#include "dol2asm.h"
#include "dolphin/types.h"
//
// Types:
//
struct csXyz {
/* 80D4AFCC */ ~csXyz();
/* 80D4B6B8 */ csXyz();
};
struct mDoMtx_stack_c {
/* 8000CF0C */ void ZXYrotS(csXyz const&);
static u8 now[48];
};
struct mDoExt_McaMorfCallBack2_c {};
struct mDoExt_McaMorfCallBack1_c {};
struct J3DAnmTransform {};
struct J3DModelData {};
struct Vec {};
struct Z2Creature {
/* 802C03C8 */ Z2Creature();
/* 802C0420 */ ~Z2Creature();
/* 802C0530 */ void init(Vec*, Vec*, u8, u8);
};
struct mDoExt_McaMorfSO {
/* 800107D0 */ mDoExt_McaMorfSO(J3DModelData*, mDoExt_McaMorfCallBack1_c*,
mDoExt_McaMorfCallBack2_c*, J3DAnmTransform*, int, f32, int,
int, Z2Creature*, u32, u32);
/* 80011310 */ void stopZelAnime();
};
struct fopAc_ac_c {
/* 80018B64 */ fopAc_ac_c();
/* 80018C8C */ ~fopAc_ac_c();
};
struct cXyz {
/* 80266B34 */ void operator-(Vec const&) const;
/* 80D4AF90 */ ~cXyz();
/* 80D4B7B8 */ cXyz();
};
struct daTag_EvtArea_c {
/* 80D4BFD4 */ void chkPointInArea(cXyz);
/* 8048C94C */ void chkPointInArea(cXyz, cXyz);
};
struct daPy_py_c {
/* 80D4C034 */ void checkNowWolf();
};
struct daNpcT_faceMotionAnmData_c {};
struct daNpcT_MotionSeqMngr_c {
struct sequenceStepData_c {};
/* 80145898 */ void initialize();
/* 80D4B7BC */ ~daNpcT_MotionSeqMngr_c();
};
struct daNpcT_evtData_c {};
struct daNpcT_motionAnmData_c {};
struct J3DJoint {};
struct daPeru_c {
/* 80D46EEC */ ~daPeru_c();
/* 80D46FCC */ void create();
/* 80D4720C */ void CreateHeap();
/* 80D4765C */ void typeInitialize();
/* 80D47750 */ void Delete();
/* 80D47784 */ void Execute();
/* 80D477A4 */ void Draw();
/* 80D47840 */ void createHeapCallBack(fopAc_ac_c*);
/* 80D47860 */ void ctrlJointCallBack(J3DJoint*, int);
/* 80D478B8 */ void isDelete();
/* 80D478EC */ void reset();
/* 80D47B20 */ void setParam();
/* 80D47C4C */ void setAfterTalkMotion();
/* 80D47CAC */ void srchActors();
/* 80D47D5C */ void evtTalk();
/* 80D47E48 */ void evtCutProc();
/* 80D47F10 */ void action();
/* 80D47F5C */ void setAttnPos();
/* 80D481A4 */ void setCollision();
/* 80D4835C */ bool drawDbgInfo();
/* 80D48364 */ void setAction(int (daPeru_c::*)(int), int);
/* 80D48414 */ void wait(int);
/* 80D486A0 */ void is_AppearDemo_start();
/* 80D48720 */ void _AppearDemoTag_delete();
/* 80D48750 */ void talk(int);
/* 80D48A7C */ void jump_st(int);
/* 80D48C58 */ void jump_ed(int);
/* 80D48E34 */ void sniff(int);
/* 80D48FA8 */ void demo_appear(int);
/* 80D4910C */ void demo_walk_to_link(int);
/* 80D492A8 */ void demo_walk_circle(int);
/* 80D49418 */ void demo_walk_to_window(int);
/* 80D4971C */ void demo_walk_to_pathway(int);
/* 80D499AC */ void cutAppear(int);
/* 80D49A40 */ void _cutAppear_Init(int const&);
/* 80D4A334 */ void _cutAppear_Main(int const&);
/* 80D4A840 */ void _catdoor_open();
/* 80D4A920 */ void _catdoor_open_demoskip();
/* 80D4A984 */ void cutAppear_skip(int);
/* 80D4AA18 */ void _cutAppear_skip_Init(int const&);
/* 80D4AAF0 */ void _cutAppear_skip_Main(int const&);
/* 80D4BE2C */ daPeru_c(daNpcT_faceMotionAnmData_c const*, daNpcT_motionAnmData_c const*,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const*, int,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const*, int,
daNpcT_evtData_c const*, char**);
/* 80D4BEC4 */ bool getEyeballMaterialNo();
/* 80D4BECC */ s32 getHeadJointNo();
/* 80D4BED4 */ s32 getNeckJointNo();
/* 80D4BEDC */ bool getBackboneJointNo();
/* 80D4BEE4 */ void checkChangeJoint(int);
/* 80D4BEF4 */ void checkRemoveJoint(int);
/* 80D4BF04 */ void beforeMove();
static void* mCutNameList[3];
static u8 mCutList[36];
};
struct daPeru_Param_c {
/* 80D4BF7C */ ~daPeru_Param_c();
static u8 const m[152];
};
struct daObjCatDoor_c {
/* 80BC42B8 */ void attr() const;
/* 80BC4454 */ void setBaseMtx();
};
struct dCcD_GObjInf {
/* 80083A28 */ dCcD_GObjInf();
/* 800840E4 */ ~dCcD_GObjInf();
};
struct _GXColorS10 {};
struct J3DModel {};
struct daNpcT_c {
/* 80147FA4 */ void tgHitCallBack(fopAc_ac_c*, dCcD_GObjInf*, fopAc_ac_c*, dCcD_GObjInf*);
/* 801483F8 */ void loadRes(s8 const*, char const**);
/* 801484AC */ void deleteRes(s8 const*, char const**);
/* 8014852C */ void execute();
/* 8014886C */ void draw(int, int, f32, _GXColorS10*, f32, int, int, int);
/* 801490D4 */ void ctrlBtk();
/* 80149190 */ void setMtx();
/* 8014951C */ void ctrlJoint(J3DJoint*, J3DModel*);
/* 8014997C */ void evtProc();
/* 80149BB4 */ void setFootPos();
/* 80149D7C */ void setFootPrtcl(cXyz*, f32, f32);
/* 8014A05C */ bool checkCullDraw();
/* 8014A064 */ void twilight();
/* 8014A0B0 */ void evtOrder();
/* 8014A324 */ void clrParam();
/* 8014A388 */ void setFaceMotionAnm(int, bool);
/* 8014A628 */ void setMotionAnm(int, f32, int);
/* 8014AA18 */ void setAngle(s16);
/* 8014ABD0 */ void chkActorInSight(fopAc_ac_c*, f32, s16);
/* 8014B338 */ void srchPlayerActor();
/* 8014B648 */ void step(s16, int, int, int, int);
/* 8014BBF0 */ void initTalk(int, fopAc_ac_c**);
/* 8014BC78 */ void talkProc(int*, int, fopAc_ac_c**, int);
/* 8014BEE4 */ void getEvtAreaTagP(int, int);
/* 80D4AC08 */ ~daNpcT_c();
/* 80D4B2B4 */ daNpcT_c(daNpcT_faceMotionAnmData_c const*, daNpcT_motionAnmData_c const*,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const*, int,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const*, int,
daNpcT_evtData_c const*, char**);
/* 80D4BCAC */ void ctrlSubFaceMotion(int);
/* 80D4BCB0 */ s32 getFootLJointNo();
/* 80D4BCB8 */ s32 getFootRJointNo();
/* 80D4BCC0 */ bool getEyeballLMaterialNo();
/* 80D4BCC8 */ bool getEyeballRMaterialNo();
/* 80D4BCD0 */ void afterJntAnm(int);
/* 80D4BCD4 */ bool checkChangeEvt();
/* 80D4BCDC */ bool evtEndProc();
/* 80D4BCE4 */ void afterMoved();
/* 80D4BCE8 */ bool chkXYItems();
/* 80D4BCF0 */ void decTmr();
/* 80D4BD08 */ void drawOtherMdl();
/* 80D4BD0C */ void drawGhost();
/* 80D4BD10 */ bool afterSetFaceMotionAnm(int, int, f32, int);
/* 80D4BD18 */ bool afterSetMotionAnm(int, int, f32, int);
/* 80D4BD20 */ void getFaceMotionAnm(daNpcT_faceMotionAnmData_c);
/* 80D4BD50 */ void getMotionAnm(daNpcT_motionAnmData_c);
/* 80D4BD80 */ void changeAnm(int*, int*);
/* 80D4BD84 */ void changeBck(int*, int*);
/* 80D4BD88 */ void changeBtp(int*, int*);
/* 80D4BD8C */ void changeBtk(int*, int*);
static u8 mCcDCyl[68];
};
struct daNpcT_Path_c {
/* 80145C40 */ void initialize();
/* 80D4B11C */ ~daNpcT_Path_c();
};
struct daNpcT_MatAnm_c {
/* 80145764 */ void initialize();
};
struct daNpcT_JntAnm_c {
/* 80146C98 */ void initialize();
/* 80146CD8 */ void setParam(fopAc_ac_c*, J3DModel*, cXyz*, int, int, int, f32, f32, f32, f32,
f32, f32, f32, f32, f32, f32, cXyz*);
/* 80147C38 */ void calcJntRad(f32, f32, f32);
/* 80D4B6BC */ ~daNpcT_JntAnm_c();
/* 80D4B988 */ void setEyeAngleY(cXyz, s16, int, f32, s16);
/* 80D4BAA4 */ void setEyeAngleX(cXyz, f32, s16);
};
struct daNpcT_DmgStagger_c {
/* 80147E3C */ void calc(int);
};
struct daNpcT_ActorMngr_c {
/* 801456D4 */ void initialize();
/* 801456E0 */ void entry(fopAc_ac_c*);
/* 801456FC */ void remove();
/* 80145708 */ void getActorP();
/* 80D4B008 */ ~daNpcT_ActorMngr_c();
/* 80D4B278 */ daNpcT_ActorMngr_c();
};
struct dSv_info_c {
/* 80035200 */ void onSwitch(int, int);
};
struct dRes_info_c {};
struct dRes_control_c {
/* 8003C2EC */ void getRes(char const*, s32, dRes_info_c*, int);
};
struct dMsgFlow_c {
/* 80249F00 */ dMsgFlow_c();
/* 80249F48 */ ~dMsgFlow_c();
};
struct dEvt_control_c {
/* 80042468 */ void reset();
};
struct dEvent_manager_c {
/* 80047B1C */ void getMyStaffId(char const*, fopAc_ac_c*, int);
/* 80047D4C */ void getIsAddvance(int);
/* 80047E10 */ void getMyActIdx(int, char const* const*, int, int, int);
/* 800480EC */ void getMySubstanceP(int, char const*, int);
/* 8004817C */ void cutEnd(int);
/* 800487F0 */ void ChkPresentEnd();
};
struct dCcD_Stts {
/* 80083860 */ void Init(int, int, fopAc_ac_c*);
};
struct dCcD_SrcCyl {};
struct dCcD_GStts {
/* 80083760 */ dCcD_GStts();
/* 80D4B874 */ ~dCcD_GStts();
};
struct dCcD_Cyl {
/* 800848B4 */ void Set(dCcD_SrcCyl const&);
/* 80D4B050 */ ~dCcD_Cyl();
/* 80D4B164 */ dCcD_Cyl();
};
struct dBgW_Base {};
struct dBgS_PolyPassChk {
/* 80078E68 */ void SetObj();
};
struct dBgS_ObjAcch {
/* 80D4B8D0 */ ~dBgS_ObjAcch();
};
struct dBgS_LinChk {
/* 80077C68 */ dBgS_LinChk();
/* 80077CDC */ ~dBgS_LinChk();
};
struct dBgS_GndChk {
/* 8007757C */ dBgS_GndChk();
/* 800775F0 */ ~dBgS_GndChk();
};
struct dBgS_AcchCir {
/* 80075EAC */ dBgS_AcchCir();
/* 80075F40 */ void SetWallR(f32);
/* 80D4B804 */ ~dBgS_AcchCir();
};
struct dBgS_Acch {
/* 80075F94 */ ~dBgS_Acch();
/* 800760A0 */ dBgS_Acch();
/* 80076248 */ void Set(cXyz*, cXyz*, fopAc_ac_c*, int, dBgS_AcchCir*, cXyz*, csXyz*, csXyz*);
};
struct cM3dGCyl {
/* 8026F1DC */ void SetC(cXyz const&);
/* 8026F1F8 */ void SetH(f32);
/* 8026F200 */ void SetR(f32);
/* 80D4B1E8 */ ~cM3dGCyl();
};
struct cM3dGCir {
/* 8026EF18 */ ~cM3dGCir();
};
struct cM3dGAab {
/* 80D4B230 */ ~cM3dGAab();
};
struct cCcD_Obj {};
struct cCcS {
/* 80264BA8 */ void Set(cCcD_Obj*);
};
struct cCcD_GStts {
/* 80D4ABC0 */ ~cCcD_GStts();
};
struct cBgW_BgId {
/* 802681D4 */ void ChkUsed() const;
};
struct cBgS_PolyInfo {
/* 802680B0 */ ~cBgS_PolyInfo();
};
struct cBgS_GndChk {
/* 80267C1C */ cBgS_GndChk();
/* 80267C94 */ ~cBgS_GndChk();
};
struct cBgS {
/* 80074250 */ void Release(dBgW_Base*);
};
struct JAISoundID {};
struct Z2SeMgr {
/* 802AB984 */ void seStart(JAISoundID, Vec const*, u32, s8, f32, f32, f32, f32, u8);
};
struct Z2AudioMgr {
static u8 mAudioMgrPtr[4 + 4 /* padding */];
};
struct J3DTexNoAnm {
/* 80D47548 */ ~J3DTexNoAnm();
/* 80D47590 */ J3DTexNoAnm();
/* 80D4AB90 */ void calc(u16*) const;
};
struct J3DTexMtxAnm {
/* 80D475B4 */ ~J3DTexMtxAnm();
/* 80D475F0 */ J3DTexMtxAnm();
};
struct J3DTevKColorAnm {
/* 80D474A0 */ ~J3DTevKColorAnm();
/* 80D474DC */ J3DTevKColorAnm();
};
struct J3DTevColorAnm {
/* 80D474F4 */ ~J3DTevColorAnm();
/* 80D47530 */ J3DTevColorAnm();
};
struct J3DMaterialAnm {
/* 8032C320 */ void initialize();
};
struct J3DMatColorAnm {
/* 80D47608 */ ~J3DMatColorAnm();
/* 80D47644 */ J3DMatColorAnm();
};
struct J3DFrameCtrl {
/* 803283FC */ void init(s16);
/* 80D4B940 */ ~J3DFrameCtrl();
};
struct J3DAnmTexPattern {
/* 8032AF50 */ void getTexNo(u16, u16*) const;
};
//
// Forward References:
//
extern "C" void __dt__8daPeru_cFv();
extern "C" void create__8daPeru_cFv();
extern "C" void CreateHeap__8daPeru_cFv();
extern "C" void __dt__15J3DTevKColorAnmFv();
extern "C" void __ct__15J3DTevKColorAnmFv();
extern "C" void __dt__14J3DTevColorAnmFv();
extern "C" void __ct__14J3DTevColorAnmFv();
extern "C" void __dt__11J3DTexNoAnmFv();
extern "C" void __ct__11J3DTexNoAnmFv();
extern "C" void __dt__12J3DTexMtxAnmFv();
extern "C" void __ct__12J3DTexMtxAnmFv();
extern "C" void __dt__14J3DMatColorAnmFv();
extern "C" void __ct__14J3DMatColorAnmFv();
extern "C" void typeInitialize__8daPeru_cFv();
extern "C" void Delete__8daPeru_cFv();
extern "C" void Execute__8daPeru_cFv();
extern "C" void Draw__8daPeru_cFv();
extern "C" void createHeapCallBack__8daPeru_cFP10fopAc_ac_c();
extern "C" void ctrlJointCallBack__8daPeru_cFP8J3DJointi();
extern "C" void isDelete__8daPeru_cFv();
extern "C" void reset__8daPeru_cFv();
extern "C" void setParam__8daPeru_cFv();
extern "C" void setAfterTalkMotion__8daPeru_cFv();
extern "C" void srchActors__8daPeru_cFv();
extern "C" void evtTalk__8daPeru_cFv();
extern "C" void evtCutProc__8daPeru_cFv();
extern "C" void action__8daPeru_cFv();
extern "C" void setAttnPos__8daPeru_cFv();
extern "C" void setCollision__8daPeru_cFv();
extern "C" bool drawDbgInfo__8daPeru_cFv();
extern "C" void setAction__8daPeru_cFM8daPeru_cFPCvPvi_ii();
extern "C" void wait__8daPeru_cFi();
extern "C" void is_AppearDemo_start__8daPeru_cFv();
extern "C" void _AppearDemoTag_delete__8daPeru_cFv();
extern "C" void talk__8daPeru_cFi();
extern "C" void jump_st__8daPeru_cFi();
extern "C" void jump_ed__8daPeru_cFi();
extern "C" void sniff__8daPeru_cFi();
extern "C" void demo_appear__8daPeru_cFi();
extern "C" void demo_walk_to_link__8daPeru_cFi();
extern "C" void demo_walk_circle__8daPeru_cFi();
extern "C" void demo_walk_to_window__8daPeru_cFi();
extern "C" void demo_walk_to_pathway__8daPeru_cFi();
extern "C" void cutAppear__8daPeru_cFi();
extern "C" void _cutAppear_Init__8daPeru_cFRCi();
extern "C" void _cutAppear_Main__8daPeru_cFRCi();
extern "C" void _catdoor_open__8daPeru_cFv();
extern "C" void _catdoor_open_demoskip__8daPeru_cFv();
extern "C" void cutAppear_skip__8daPeru_cFi();
extern "C" void _cutAppear_skip_Init__8daPeru_cFRCi();
extern "C" void _cutAppear_skip_Main__8daPeru_cFRCi();
extern "C" static void daPeru_Create__FPv();
extern "C" static void daPeru_Delete__FPv();
extern "C" static void daPeru_Execute__FPv();
extern "C" static void daPeru_Draw__FPv();
extern "C" static bool daPeru_IsDelete__FPv();
extern "C" void calc__11J3DTexNoAnmCFPUs();
extern "C" void __dt__10cCcD_GSttsFv();
extern "C" void __dt__8daNpcT_cFv();
extern "C" void __dt__4cXyzFv();
extern "C" void __dt__5csXyzFv();
extern "C" void __dt__18daNpcT_ActorMngr_cFv();
extern "C" void __dt__8dCcD_CylFv();
extern "C" void __dt__13daNpcT_Path_cFv();
extern "C" void __ct__8dCcD_CylFv();
extern "C" void __dt__8cM3dGCylFv();
extern "C" void __dt__8cM3dGAabFv();
extern "C" void __ct__18daNpcT_ActorMngr_cFv();
extern "C" void
__ct__8daNpcT_cFPC26daNpcT_faceMotionAnmData_cPC22daNpcT_motionAnmData_cPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPC16daNpcT_evtData_cPPc();
extern "C" void __ct__5csXyzFv();
extern "C" void __dt__15daNpcT_JntAnm_cFv();
extern "C" void __ct__4cXyzFv();
extern "C" void __dt__22daNpcT_MotionSeqMngr_cFv();
extern "C" void __dt__12dBgS_AcchCirFv();
extern "C" void __dt__10dCcD_GSttsFv();
extern "C" void __dt__12dBgS_ObjAcchFv();
extern "C" void __dt__12J3DFrameCtrlFv();
extern "C" void setEyeAngleY__15daNpcT_JntAnm_cF4cXyzsifs();
extern "C" void setEyeAngleX__15daNpcT_JntAnm_cF4cXyzfs();
extern "C" void ctrlSubFaceMotion__8daNpcT_cFi();
extern "C" s32 getFootLJointNo__8daNpcT_cFv();
extern "C" s32 getFootRJointNo__8daNpcT_cFv();
extern "C" bool getEyeballLMaterialNo__8daNpcT_cFv();
extern "C" bool getEyeballRMaterialNo__8daNpcT_cFv();
extern "C" void afterJntAnm__8daNpcT_cFi();
extern "C" bool checkChangeEvt__8daNpcT_cFv();
extern "C" bool evtEndProc__8daNpcT_cFv();
extern "C" void afterMoved__8daNpcT_cFv();
extern "C" bool chkXYItems__8daNpcT_cFv();
extern "C" void decTmr__8daNpcT_cFv();
extern "C" void drawOtherMdl__8daNpcT_cFv();
extern "C" void drawGhost__8daNpcT_cFv();
extern "C" bool afterSetFaceMotionAnm__8daNpcT_cFiifi();
extern "C" bool afterSetMotionAnm__8daNpcT_cFiifi();
extern "C" void getFaceMotionAnm__8daNpcT_cF26daNpcT_faceMotionAnmData_c();
extern "C" void getMotionAnm__8daNpcT_cF22daNpcT_motionAnmData_c();
extern "C" void changeAnm__8daNpcT_cFPiPi();
extern "C" void changeBck__8daNpcT_cFPiPi();
extern "C" void changeBtp__8daNpcT_cFPiPi();
extern "C" void changeBtk__8daNpcT_cFPiPi();
extern "C" void __sinit_d_a_peru_cpp();
extern "C" void
__ct__8daPeru_cFPC26daNpcT_faceMotionAnmData_cPC22daNpcT_motionAnmData_cPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPC16daNpcT_evtData_cPPc();
extern "C" bool getEyeballMaterialNo__8daPeru_cFv();
extern "C" s32 getHeadJointNo__8daPeru_cFv();
extern "C" s32 getNeckJointNo__8daPeru_cFv();
extern "C" bool getBackboneJointNo__8daPeru_cFv();
extern "C" void checkChangeJoint__8daPeru_cFi();
extern "C" void checkRemoveJoint__8daPeru_cFi();
extern "C" void beforeMove__8daPeru_cFv();
extern "C" void __dt__14daPeru_Param_cFv();
extern "C" static void func_80D4BFC4();
extern "C" static void func_80D4BFCC();
extern "C" void chkPointInArea__15daTag_EvtArea_cF4cXyz();
extern "C" void checkNowWolf__9daPy_py_cFv();
extern "C" u8 const m__14daPeru_Param_c[152];
extern "C" extern char const* const d_a_peru__stringBase0;
extern "C" void* mCutNameList__8daPeru_c[3];
extern "C" u8 mCutList__8daPeru_c[36];
//
// External References:
//
SECTION_INIT void memset();
extern "C" void ZXYrotS__14mDoMtx_stack_cFRC5csXyz();
extern "C" void
__ct__16mDoExt_McaMorfSOFP12J3DModelDataP25mDoExt_McaMorfCallBack1_cP25mDoExt_McaMorfCallBack2_cP15J3DAnmTransformifiiP10Z2CreatureUlUl();
extern "C" void stopZelAnime__16mDoExt_McaMorfSOFv();
extern "C" void __ct__10fopAc_ac_cFv();
extern "C" void __dt__10fopAc_ac_cFv();
extern "C" void fopAc_IsActor__FPv();
extern "C" void fopAcM_SearchByName__FsPP10fopAc_ac_c();
extern "C" void fopAcM_delete__FP10fopAc_ac_c();
extern "C" void fopAcM_entrySolidHeap__FP10fopAc_ac_cPFP10fopAc_ac_c_iUl();
extern "C" void fopAcM_setCullSizeBox__FP10fopAc_ac_cffffff();
extern "C" void fopAcM_searchActorAngleY__FPC10fopAc_ac_cPC10fopAc_ac_c();
extern "C" void fopAcM_searchActorDistanceXZ__FPC10fopAc_ac_cPC10fopAc_ac_c();
extern "C" void dComIfGs_wolfeye_effect_check__Fv();
extern "C" void onSwitch__10dSv_info_cFii();
extern "C" void getRes__14dRes_control_cFPCclP11dRes_info_ci();
extern "C" void reset__14dEvt_control_cFv();
extern "C" void getMyStaffId__16dEvent_manager_cFPCcP10fopAc_ac_ci();
extern "C" void getIsAddvance__16dEvent_manager_cFi();
extern "C" void getMyActIdx__16dEvent_manager_cFiPCPCciii();
extern "C" void getMySubstanceP__16dEvent_manager_cFiPCci();
extern "C" void cutEnd__16dEvent_manager_cFi();
extern "C" void ChkPresentEnd__16dEvent_manager_cFv();
extern "C" void Release__4cBgSFP9dBgW_Base();
extern "C" void __ct__12dBgS_AcchCirFv();
extern "C" void SetWallR__12dBgS_AcchCirFf();
extern "C" void __dt__9dBgS_AcchFv();
extern "C" void __ct__9dBgS_AcchFv();
extern "C" void Set__9dBgS_AcchFP4cXyzP4cXyzP10fopAc_ac_ciP12dBgS_AcchCirP4cXyzP5csXyzP5csXyz();
extern "C" void __ct__11dBgS_GndChkFv();
extern "C" void __dt__11dBgS_GndChkFv();
extern "C" void __ct__11dBgS_LinChkFv();
extern "C" void __dt__11dBgS_LinChkFv();
extern "C" void SetObj__16dBgS_PolyPassChkFv();
extern "C" void __ct__10dCcD_GSttsFv();
extern "C" void Init__9dCcD_SttsFiiP10fopAc_ac_c();
extern "C" void __ct__12dCcD_GObjInfFv();
extern "C" void __dt__12dCcD_GObjInfFv();
extern "C" void Set__8dCcD_CylFRC11dCcD_SrcCyl();
extern "C" void initialize__18daNpcT_ActorMngr_cFv();
extern "C" void entry__18daNpcT_ActorMngr_cFP10fopAc_ac_c();
extern "C" void remove__18daNpcT_ActorMngr_cFv();
extern "C" void getActorP__18daNpcT_ActorMngr_cFv();
extern "C" void initialize__15daNpcT_MatAnm_cFv();
extern "C" void initialize__22daNpcT_MotionSeqMngr_cFv();
extern "C" void initialize__13daNpcT_Path_cFv();
extern "C" void initialize__15daNpcT_JntAnm_cFv();
extern "C" void setParam__15daNpcT_JntAnm_cFP10fopAc_ac_cP8J3DModelP4cXyziiiffffffffffP4cXyz();
extern "C" void calcJntRad__15daNpcT_JntAnm_cFfff();
extern "C" void calc__19daNpcT_DmgStagger_cFi();
extern "C" void tgHitCallBack__8daNpcT_cFP10fopAc_ac_cP12dCcD_GObjInfP10fopAc_ac_cP12dCcD_GObjInf();
extern "C" void loadRes__8daNpcT_cFPCScPPCc();
extern "C" void deleteRes__8daNpcT_cFPCScPPCc();
extern "C" void execute__8daNpcT_cFv();
extern "C" void draw__8daNpcT_cFiifP11_GXColorS10fiii();
extern "C" void ctrlBtk__8daNpcT_cFv();
extern "C" void setMtx__8daNpcT_cFv();
extern "C" void ctrlJoint__8daNpcT_cFP8J3DJointP8J3DModel();
extern "C" void evtProc__8daNpcT_cFv();
extern "C" void setFootPos__8daNpcT_cFv();
extern "C" void setFootPrtcl__8daNpcT_cFP4cXyzff();
extern "C" bool checkCullDraw__8daNpcT_cFv();
extern "C" void twilight__8daNpcT_cFv();
extern "C" void evtOrder__8daNpcT_cFv();
extern "C" void clrParam__8daNpcT_cFv();
extern "C" void setFaceMotionAnm__8daNpcT_cFib();
extern "C" void setMotionAnm__8daNpcT_cFifi();
extern "C" void setAngle__8daNpcT_cFs();
extern "C" void chkActorInSight__8daNpcT_cFP10fopAc_ac_cfs();
extern "C" void srchPlayerActor__8daNpcT_cFv();
extern "C" void step__8daNpcT_cFsiiii();
extern "C" void initTalk__8daNpcT_cFiPP10fopAc_ac_c();
extern "C" void talkProc__8daNpcT_cFPiiPP10fopAc_ac_ci();
extern "C" void getEvtAreaTagP__8daNpcT_cFii();
extern "C" void daNpcT_getDistTableIdx__Fii();
extern "C" void daNpcT_onEvtBit__FUl();
extern "C" void daNpcT_chkEvtBit__FUl();
extern "C" void dKy_darkworld_check__Fv();
extern "C" void __ct__10dMsgFlow_cFv();
extern "C" void __dt__10dMsgFlow_cFv();
extern "C" void Set__4cCcSFP8cCcD_Obj();
extern "C" void __mi__4cXyzCFRC3Vec();
extern "C" void cM_atan2s__Fff();
extern "C" void cM_rndF__Ff();
extern "C" void __ct__11cBgS_GndChkFv();
extern "C" void __dt__11cBgS_GndChkFv();
extern "C" void __dt__13cBgS_PolyInfoFv();
extern "C" void ChkUsed__9cBgW_BgIdCFv();
extern "C" void __dt__8cM3dGCirFv();
extern "C" void SetC__8cM3dGCylFRC4cXyz();
extern "C" void SetH__8cM3dGCylFf();
extern "C" void SetR__8cM3dGCylFf();
extern "C" void cLib_chaseAngleS__FPsss();
extern "C" void cLib_targetAngleY__FPC3VecPC3Vec();
extern "C" void seStart__7Z2SeMgrF10JAISoundIDPC3VecUlScffffUc();
extern "C" void __ct__10Z2CreatureFv();
extern "C" void __dt__10Z2CreatureFv();
extern "C" void init__10Z2CreatureFP3VecP3VecUcUc();
extern "C" void* __nw__FUl();
extern "C" void __dl__FPv();
extern "C" void init__12J3DFrameCtrlFs();
extern "C" void getTexNo__16J3DAnmTexPatternCFUsPUs();
extern "C" void initialize__14J3DMaterialAnmFv();
extern "C" void PSMTXCopy();
extern "C" void PSMTXMultVec();
extern "C" void PSVECAdd();
extern "C" void PSVECSquareMag();
extern "C" void __destroy_arr();
extern "C" void __construct_array();
extern "C" void __ptmf_test();
extern "C" void __ptmf_cmpr();
extern "C" void __ptmf_scall();
extern "C" void _savegpr_20();
extern "C" void _savegpr_22();
extern "C" void _savegpr_24();
extern "C" void _savegpr_27();
extern "C" void _savegpr_28();
extern "C" void _savegpr_29();
extern "C" void _restgpr_20();
extern "C" void _restgpr_22();
extern "C" void _restgpr_24();
extern "C" void _restgpr_27();
extern "C" void _restgpr_28();
extern "C" void _restgpr_29();
extern "C" extern u8 const __ptmf_null[12 + 4 /* padding */];
extern "C" extern void* g_fopAc_Method[8];
extern "C" extern void* g_fpcLf_Method[5 + 1 /* padding */];
extern "C" extern void* __vt__8dCcD_Cyl[36];
extern "C" extern void* __vt__9dCcD_Stts[11];
extern "C" u8 mCcDCyl__8daNpcT_c[68];
extern "C" extern void* __vt__8daNpcT_c[49];
extern "C" extern void* __vt__15daNpcT_MatAnm_c[4 + 1 /* padding */];
extern "C" extern void* __vt__12cCcD_CylAttr[25];
extern "C" extern void* __vt__14cCcD_ShapeAttr[22];
extern "C" extern void* __vt__9cCcD_Stts[8];
extern "C" extern void* __vt__14J3DMaterialAnm[4];
extern "C" u8 now__14mDoMtx_stack_c[48];
extern "C" extern u8 g_dComIfG_gameInfo[122384];
extern "C" extern u8 j3dSys[284];
extern "C" extern u32 __float_nan;
extern "C" u8 mAudioMgrPtr__10Z2AudioMgr[4 + 4 /* padding */];
extern "C" void chkPointInArea__15daTag_EvtArea_cF4cXyz4cXyz();
extern "C" void attr__14daObjCatDoor_cCFv();
extern "C" void setBaseMtx__14daObjCatDoor_cFv();
extern "C" void __register_global_object();
//
// Declarations:
//
/* ############################################################################################## */
/* 80D4C1B0-80D4C1B0 000150 0000+00 0/0 0/0 0/0 .rodata @stringBase0 */
#pragma push
#pragma force_active on
SECTION_DEAD static char const* const stringBase_80D4C1B0 = "";
SECTION_DEAD static char const* const stringBase_80D4C1B1 = "PERU_APPEAR";
SECTION_DEAD static char const* const stringBase_80D4C1BD = "PERU_APPEAR_SKIP";
SECTION_DEAD static char const* const stringBase_80D4C1CE = "Peru";
#pragma pop
/* 80D4C1DC-80D4C1E8 000000 000C+00 3/3 0/0 0/0 .data cNullVec__6Z2Calc */
SECTION_DATA static u8 cNullVec__6Z2Calc[12] = {
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
/* 80D4C1E8-80D4C1FC 00000C 0004+10 0/0 0/0 0/0 .data @1787 */
#pragma push
#pragma force_active on
SECTION_DATA static u32 lit_1787[1 + 4 /* padding */] = {
0x02000201,
/* padding */
0x40080000,
0x00000000,
0x3FE00000,
0x00000000,
};
#pragma pop
/* 80D4C1FC-80D4C204 000020 0008+00 1/1 0/0 0/0 .data l_bmdData */
SECTION_DATA static u8 l_bmdData[8] = {
0x00, 0x00, 0x00, 0x18, 0x00, 0x00, 0x00, 0x01,
};
/* 80D4C204-80D4C21C -00001 0018+00 0/1 0/0 0/0 .data l_evtList */
#pragma push
#pragma force_active on
SECTION_DATA static void* l_evtList[6] = {
(void*)&d_a_peru__stringBase0,
(void*)NULL,
(void*)(((char*)&d_a_peru__stringBase0) + 0x1),
(void*)0x00000001,
(void*)(((char*)&d_a_peru__stringBase0) + 0xD),
(void*)0x00000001,
};
#pragma pop
/* 80D4C21C-80D4C224 -00001 0008+00 2/3 0/0 0/0 .data l_resNameList */
SECTION_DATA static void* l_resNameList[2] = {
(void*)&d_a_peru__stringBase0,
(void*)(((char*)&d_a_peru__stringBase0) + 0x1E),
};
/* 80D4C224-80D4C228 000048 0002+02 1/0 0/0 0/0 .data l_loadResPtrn0 */
SECTION_DATA static u16 l_loadResPtrn0[1 + 1 /* padding */] = {
0x01FF,
/* padding */
0x0000,
};
/* 80D4C228-80D4C234 -00001 000C+00 1/2 0/0 0/0 .data l_loadResPtrnList */
SECTION_DATA static void* l_loadResPtrnList[3] = {
(void*)&l_loadResPtrn0,
(void*)&l_loadResPtrn0,
(void*)&l_loadResPtrn0,
};
/* 80D4C234-80D4C2C0 000058 008C+00 0/1 0/0 0/0 .data l_faceMotionAnmData */
#pragma push
#pragma force_active on
SECTION_DATA static u8 l_faceMotionAnmData[140] = {
0xFF, 0xFF, 0xFF, 0xFF, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x1E,
0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x0A,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1E, 0x00, 0x00, 0x00, 0x02,
0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x08, 0x00, 0x00, 0x00, 0x02,
0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x20, 0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x09, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01,
0x00, 0x00, 0x00, 0x21, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x07, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1F,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00,
};
#pragma pop
/* 80D4C2C0-80D4C3F4 0000E4 0134+00 0/1 0/0 0/0 .data l_motionAnmData */
#pragma push
#pragma force_active on
SECTION_DATA static u8 l_motionAnmData[308] = {
0x00, 0x00, 0x00, 0x14, 0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x11,
0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x12, 0x00, 0x00, 0x00, 0x02,
0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01,
0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x15, 0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01,
0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00,
0x00, 0x00, 0x00, 0x10, 0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x0F,
0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x13, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01,
0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x0D, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01,
0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00,
0x00, 0x00, 0x00, 0x0E, 0x00, 0x00, 0x00, 0x02, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x0C,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x00, 0x00, 0x00, 0x00, 0x0B, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x01, 0x00, 0x00, 0x00, 0x1B, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x01,
0x00, 0x01, 0x00, 0x00,
};
#pragma pop
/* 80D4C3F4-80D4C444 000218 0050+00 0/1 0/0 0/0 .data l_faceMotionSequenceData */
#pragma push
#pragma force_active on
SECTION_DATA static u8 l_faceMotionSequenceData[80] = {
0x00, 0x01, 0xFF, 0x01, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x02, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x00, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x03, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x04, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
};
#pragma pop
/* 80D4C444-80D4C4E4 000268 00A0+00 0/1 0/0 0/0 .data l_motionSequenceData */
#pragma push
#pragma force_active on
SECTION_DATA static u8 l_motionSequenceData[160] = {
0x00, 0x00, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x01, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x02, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x05, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x06, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x07, 0xFF, 0x00, 0x00, 0x08, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x09, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x0A, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x03, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
0x00, 0x04, 0xFF, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00, 0xFF, 0xFF, 0x00, 0x00,
};
#pragma pop
/* 80D4C4E4-80D4C4F0 -00001 000C+00 1/1 0/0 0/0 .data mCutNameList__8daPeru_c */
SECTION_DATA void* daPeru_c::mCutNameList[3] = {
(void*)&d_a_peru__stringBase0,
(void*)(((char*)&d_a_peru__stringBase0) + 0x1),
(void*)(((char*)&d_a_peru__stringBase0) + 0xD),
};
/* 80D4C4F0-80D4C4FC -00001 000C+00 0/1 0/0 0/0 .data @3835 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_3835[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)cutAppear__8daPeru_cFi,
};
#pragma pop
/* 80D4C4FC-80D4C508 -00001 000C+00 0/1 0/0 0/0 .data @3836 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_3836[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)cutAppear_skip__8daPeru_cFi,
};
#pragma pop
/* 80D4C508-80D4C52C 00032C 0024+00 1/2 0/0 0/0 .data mCutList__8daPeru_c */
SECTION_DATA u8 daPeru_c::mCutList[36] = {
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
/* 80D4C52C-80D4C538 -00001 000C+00 1/1 0/0 0/0 .data @4467 */
SECTION_DATA static void* lit_4467[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C538-80D4C544 -00001 000C+00 1/1 0/0 0/0 .data @4568 */
SECTION_DATA static void* lit_4568[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)talk__8daPeru_cFi,
};
/* 80D4C544-80D4C550 -00001 000C+00 1/1 0/0 0/0 .data @4576 */
SECTION_DATA static void* lit_4576[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)talk__8daPeru_cFi,
};
/* 80D4C550-80D4C55C -00001 000C+00 1/1 0/0 0/0 .data @4938 */
SECTION_DATA static void* lit_4938[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C55C-80D4C568 -00001 000C+00 1/1 0/0 0/0 .data @4943 */
SECTION_DATA static void* lit_4943[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C568-80D4C574 -00001 000C+00 1/1 0/0 0/0 .data @5029 */
SECTION_DATA static void* lit_5029[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)jump_ed__8daPeru_cFi,
};
/* 80D4C574-80D4C580 -00001 000C+00 1/1 0/0 0/0 .data @5082 */
SECTION_DATA static void* lit_5082[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C580-80D4C58C -00001 000C+00 1/1 0/0 0/0 .data @5131 */
SECTION_DATA static void* lit_5131[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C58C-80D4C598 -00001 000C+00 1/1 0/0 0/0 .data @5219 */
SECTION_DATA static void* lit_5219[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C598-80D4C5A4 -00001 000C+00 1/1 0/0 0/0 .data @5259 */
SECTION_DATA static void* lit_5259[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C5A4-80D4C5B0 -00001 000C+00 1/1 0/0 0/0 .data @5295 */
SECTION_DATA static void* lit_5295[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C5B0-80D4C5BC -00001 000C+00 1/1 0/0 0/0 .data @5372 */
SECTION_DATA static void* lit_5372[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C5BC-80D4C5C8 -00001 000C+00 0/1 0/0 0/0 .data @5460 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5460[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)demo_appear__8daPeru_cFi,
};
#pragma pop
/* 80D4C5C8-80D4C5D4 -00001 000C+00 0/1 0/0 0/0 .data @5464 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5464[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)demo_walk_to_link__8daPeru_cFi,
};
#pragma pop
/* 80D4C5D4-80D4C5E0 -00001 000C+00 0/1 0/0 0/0 .data @5467 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5467[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)sniff__8daPeru_cFi,
};
#pragma pop
/* 80D4C5E0-80D4C5EC -00001 000C+00 0/1 0/0 0/0 .data @5471 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5471[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)demo_walk_circle__8daPeru_cFi,
};
#pragma pop
/* 80D4C5EC-80D4C5F8 -00001 000C+00 0/1 0/0 0/0 .data @5488 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5488[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)demo_walk_to_window__8daPeru_cFi,
};
#pragma pop
/* 80D4C5F8-80D4C604 -00001 000C+00 0/1 0/0 0/0 .data @5493 */
#pragma push
#pragma force_active on
SECTION_DATA static void* lit_5493[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)demo_walk_to_pathway__8daPeru_cFi,
};
#pragma pop
/* 80D4C604-80D4C610 -00001 000C+00 1/1 0/0 0/0 .data @5711 */
SECTION_DATA static void* lit_5711[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)jump_st__8daPeru_cFi,
};
/* 80D4C610-80D4C61C -00001 000C+00 1/1 0/0 0/0 .data @5846 */
SECTION_DATA static void* lit_5846[3] = {
(void*)NULL,
(void*)0xFFFFFFFF,
(void*)wait__8daPeru_cFi,
};
/* 80D4C61C-80D4C63C -00001 0020+00 1/0 0/0 0/0 .data daPeru_MethodTable */
SECTION_DATA static void* daPeru_MethodTable[8] = {
(void*)daPeru_Create__FPv,
(void*)daPeru_Delete__FPv,
(void*)daPeru_Execute__FPv,
(void*)daPeru_IsDelete__FPv,
(void*)daPeru_Draw__FPv,
(void*)NULL,
(void*)NULL,
(void*)NULL,
};
/* 80D4C63C-80D4C66C -00001 0030+00 0/0 0/0 1/0 .data g_profile_PERU */
SECTION_DATA extern void* g_profile_PERU[12] = {
(void*)0xFFFFFFFD, (void*)0x0007FFFD,
(void*)0x01070000, (void*)&g_fpcLf_Method,
(void*)0x0000112C, (void*)NULL,
(void*)NULL, (void*)&g_fopAc_Method,
(void*)0x02B60000, (void*)&daPeru_MethodTable,
(void*)0x08044108, (void*)0x040E0000,
};
/* 80D4C66C-80D4C678 000490 000C+00 2/2 0/0 0/0 .data __vt__11J3DTexNoAnm */
SECTION_DATA extern void* __vt__11J3DTexNoAnm[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)calc__11J3DTexNoAnmCFPUs,
};
/* 80D4C678-80D4C684 00049C 000C+00 3/3 0/0 0/0 .data __vt__8cM3dGAab */
SECTION_DATA extern void* __vt__8cM3dGAab[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__8cM3dGAabFv,
};
/* 80D4C684-80D4C690 0004A8 000C+00 3/3 0/0 0/0 .data __vt__8cM3dGCyl */
SECTION_DATA extern void* __vt__8cM3dGCyl[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__8cM3dGCylFv,
};
/* 80D4C690-80D4C69C 0004B4 000C+00 3/3 0/0 0/0 .data __vt__12J3DFrameCtrl */
SECTION_DATA extern void* __vt__12J3DFrameCtrl[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__12J3DFrameCtrlFv,
};
/* 80D4C69C-80D4C6C0 0004C0 0024+00 3/3 0/0 0/0 .data __vt__12dBgS_ObjAcch */
SECTION_DATA extern void* __vt__12dBgS_ObjAcch[9] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__12dBgS_ObjAcchFv,
(void*)NULL,
(void*)NULL,
(void*)func_80D4BFCC,
(void*)NULL,
(void*)NULL,
(void*)func_80D4BFC4,
};
/* 80D4C6C0-80D4C6CC 0004E4 000C+00 2/2 0/0 0/0 .data __vt__12dBgS_AcchCir */
SECTION_DATA extern void* __vt__12dBgS_AcchCir[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__12dBgS_AcchCirFv,
};
/* 80D4C6CC-80D4C6D8 0004F0 000C+00 3/3 0/0 0/0 .data __vt__10cCcD_GStts */
SECTION_DATA extern void* __vt__10cCcD_GStts[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__10cCcD_GSttsFv,
};
/* 80D4C6D8-80D4C6E4 0004FC 000C+00 2/2 0/0 0/0 .data __vt__10dCcD_GStts */
SECTION_DATA extern void* __vt__10dCcD_GStts[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__10dCcD_GSttsFv,
};
/* 80D4C6E4-80D4C6F0 000508 000C+00 3/3 0/0 0/0 .data __vt__22daNpcT_MotionSeqMngr_c */
SECTION_DATA extern void* __vt__22daNpcT_MotionSeqMngr_c[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__22daNpcT_MotionSeqMngr_cFv,
};
/* 80D4C6F0-80D4C6FC 000514 000C+00 5/5 0/0 0/0 .data __vt__18daNpcT_ActorMngr_c */
SECTION_DATA extern void* __vt__18daNpcT_ActorMngr_c[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__18daNpcT_ActorMngr_cFv,
};
/* 80D4C6FC-80D4C708 000520 000C+00 3/3 0/0 0/0 .data __vt__15daNpcT_JntAnm_c */
SECTION_DATA extern void* __vt__15daNpcT_JntAnm_c[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__15daNpcT_JntAnm_cFv,
};
/* 80D4C708-80D4C714 00052C 000C+00 3/3 0/0 0/0 .data __vt__13daNpcT_Path_c */
SECTION_DATA extern void* __vt__13daNpcT_Path_c[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__13daNpcT_Path_cFv,
};
/* 80D4C714-80D4C7D8 000538 00C4+00 2/2 0/0 0/0 .data __vt__8daPeru_c */
SECTION_DATA extern void* __vt__8daPeru_c[49] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__8daPeru_cFv,
(void*)ctrlBtk__8daNpcT_cFv,
(void*)ctrlSubFaceMotion__8daNpcT_cFi,
(void*)checkChangeJoint__8daPeru_cFi,
(void*)checkRemoveJoint__8daPeru_cFi,
(void*)getBackboneJointNo__8daPeru_cFv,
(void*)getNeckJointNo__8daPeru_cFv,
(void*)getHeadJointNo__8daPeru_cFv,
(void*)getFootLJointNo__8daNpcT_cFv,
(void*)getFootRJointNo__8daNpcT_cFv,
(void*)getEyeballLMaterialNo__8daNpcT_cFv,
(void*)getEyeballRMaterialNo__8daNpcT_cFv,
(void*)getEyeballMaterialNo__8daPeru_cFv,
(void*)ctrlJoint__8daNpcT_cFP8J3DJointP8J3DModel,
(void*)afterJntAnm__8daNpcT_cFi,
(void*)setParam__8daPeru_cFv,
(void*)checkChangeEvt__8daNpcT_cFv,
(void*)evtTalk__8daPeru_cFv,
(void*)evtEndProc__8daNpcT_cFv,
(void*)evtCutProc__8daPeru_cFv,
(void*)setAfterTalkMotion__8daPeru_cFv,
(void*)evtProc__8daNpcT_cFv,
(void*)action__8daPeru_cFv,
(void*)beforeMove__8daPeru_cFv,
(void*)afterMoved__8daNpcT_cFv,
(void*)setAttnPos__8daPeru_cFv,
(void*)setFootPos__8daNpcT_cFv,
(void*)setCollision__8daPeru_cFv,
(void*)setFootPrtcl__8daNpcT_cFP4cXyzff,
(void*)checkCullDraw__8daNpcT_cFv,
(void*)twilight__8daNpcT_cFv,
(void*)chkXYItems__8daNpcT_cFv,
(void*)evtOrder__8daNpcT_cFv,
(void*)decTmr__8daNpcT_cFv,
(void*)clrParam__8daNpcT_cFv,
(void*)drawDbgInfo__8daPeru_cFv,
(void*)drawOtherMdl__8daNpcT_cFv,
(void*)drawGhost__8daNpcT_cFv,
(void*)afterSetFaceMotionAnm__8daNpcT_cFiifi,
(void*)afterSetMotionAnm__8daNpcT_cFiifi,
(void*)getFaceMotionAnm__8daNpcT_cF26daNpcT_faceMotionAnmData_c,
(void*)getMotionAnm__8daNpcT_cF22daNpcT_motionAnmData_c,
(void*)changeAnm__8daNpcT_cFPiPi,
(void*)changeBck__8daNpcT_cFPiPi,
(void*)changeBtp__8daNpcT_cFPiPi,
(void*)changeBtk__8daNpcT_cFPiPi,
(void*)setMotionAnm__8daNpcT_cFifi,
};
/* 80D46EEC-80D46FCC 0000EC 00E0+00 1/0 0/0 0/0 .text __dt__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daPeru_c::~daPeru_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C060-80D4C0F8 000000 0098+00 19/19 0/0 0/0 .rodata m__14daPeru_Param_c */
SECTION_RODATA u8 const daPeru_Param_c::m[152] = {
0x42, 0x70, 0x00, 0x00, 0xC0, 0x40, 0x00, 0x00, 0x3F, 0x80, 0x00, 0x00, 0x43, 0x66, 0x00, 0x00,
0x43, 0x7F, 0x00, 0x00, 0x42, 0x70, 0x00, 0x00, 0x41, 0xF0, 0x00, 0x00, 0x41, 0xF0, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x41, 0xF0, 0x00, 0x00, 0xC1, 0xF0, 0x00, 0x00,
0x41, 0xF0, 0x00, 0x00, 0xC1, 0xF0, 0x00, 0x00, 0x42, 0x34, 0x00, 0x00, 0xC2, 0x34, 0x00, 0x00,
0x3F, 0x19, 0x99, 0x9A, 0x41, 0x40, 0x00, 0x00, 0x00, 0x03, 0x00, 0x06, 0x00, 0x05, 0x00, 0x06,
0x42, 0xDC, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x3C, 0x00, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x40, 0x80, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C060, &daPeru_Param_c::m);
/* 80D4C0F8-80D4C0FC 000098 0004+00 0/2 0/0 0/0 .rodata @4050 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4050 = -300.0f;
COMPILER_STRIP_GATE(0x80D4C0F8, &lit_4050);
#pragma pop
/* 80D4C0FC-80D4C100 00009C 0004+00 0/1 0/0 0/0 .rodata @4051 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4051 = -50.0f;
COMPILER_STRIP_GATE(0x80D4C0FC, &lit_4051);
#pragma pop
/* 80D4C100-80D4C104 0000A0 0004+00 0/2 0/0 0/0 .rodata @4052 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4052 = 300.0f;
COMPILER_STRIP_GATE(0x80D4C100, &lit_4052);
#pragma pop
/* 80D4C104-80D4C108 0000A4 0004+00 0/1 0/0 0/0 .rodata @4053 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4053 = 450.0f;
COMPILER_STRIP_GATE(0x80D4C104, &lit_4053);
#pragma pop
/* 80D46FCC-80D4720C 0001CC 0240+00 1/1 0/0 0/0 .text create__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::create() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/create__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C108-80D4C10C 0000A8 0004+00 5/20 0/0 0/0 .rodata @4199 */
SECTION_RODATA static u8 const lit_4199[4] = {
0x00,
0x00,
0x00,
0x00,
};
COMPILER_STRIP_GATE(0x80D4C108, &lit_4199);
/* 80D4C10C-80D4C110 0000AC 0004+00 0/2 0/0 0/0 .rodata @4200 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4200 = 65536.0f;
COMPILER_STRIP_GATE(0x80D4C10C, &lit_4200);
#pragma pop
/* 80D4C110-80D4C114 0000B0 0004+00 0/3 0/0 0/0 .rodata @4201 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4201 = 1.0f / 5.0f;
COMPILER_STRIP_GATE(0x80D4C110, &lit_4201);
#pragma pop
/* 80D4C114-80D4C118 0000B4 0004+00 3/5 0/0 0/0 .rodata @4348 */
SECTION_RODATA static f32 const lit_4348 = 1.0f;
COMPILER_STRIP_GATE(0x80D4C114, &lit_4348);
/* 80D4720C-80D474A0 00040C 0294+00 1/1 0/0 0/0 .text CreateHeap__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::CreateHeap() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/CreateHeap__8daPeru_cFv.s"
}
#pragma pop
/* 80D474A0-80D474DC 0006A0 003C+00 1/1 0/0 0/0 .text __dt__15J3DTevKColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTevKColorAnm::~J3DTevKColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__15J3DTevKColorAnmFv.s"
}
#pragma pop
/* 80D474DC-80D474F4 0006DC 0018+00 1/1 0/0 0/0 .text __ct__15J3DTevKColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTevKColorAnm::J3DTevKColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__15J3DTevKColorAnmFv.s"
}
#pragma pop
/* 80D474F4-80D47530 0006F4 003C+00 1/1 0/0 0/0 .text __dt__14J3DTevColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTevColorAnm::~J3DTevColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__14J3DTevColorAnmFv.s"
}
#pragma pop
/* 80D47530-80D47548 000730 0018+00 1/1 0/0 0/0 .text __ct__14J3DTevColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTevColorAnm::J3DTevColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__14J3DTevColorAnmFv.s"
}
#pragma pop
/* 80D47548-80D47590 000748 0048+00 1/1 0/0 0/0 .text __dt__11J3DTexNoAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTexNoAnm::~J3DTexNoAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__11J3DTexNoAnmFv.s"
}
#pragma pop
/* 80D47590-80D475B4 000790 0024+00 1/1 0/0 0/0 .text __ct__11J3DTexNoAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTexNoAnm::J3DTexNoAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__11J3DTexNoAnmFv.s"
}
#pragma pop
/* 80D475B4-80D475F0 0007B4 003C+00 1/1 0/0 0/0 .text __dt__12J3DTexMtxAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTexMtxAnm::~J3DTexMtxAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__12J3DTexMtxAnmFv.s"
}
#pragma pop
/* 80D475F0-80D47608 0007F0 0018+00 1/1 0/0 0/0 .text __ct__12J3DTexMtxAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DTexMtxAnm::J3DTexMtxAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__12J3DTexMtxAnmFv.s"
}
#pragma pop
/* 80D47608-80D47644 000808 003C+00 1/1 0/0 0/0 .text __dt__14J3DMatColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DMatColorAnm::~J3DMatColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__14J3DMatColorAnmFv.s"
}
#pragma pop
/* 80D47644-80D4765C 000844 0018+00 1/1 0/0 0/0 .text __ct__14J3DMatColorAnmFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DMatColorAnm::J3DMatColorAnm() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__14J3DMatColorAnmFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C118-80D4C11C 0000B8 0004+00 0/2 0/0 0/0 .rodata @4395 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_4395 = 0x45345E66;
COMPILER_STRIP_GATE(0x80D4C118, &lit_4395);
#pragma pop
/* 80D4C11C-80D4C120 0000BC 0004+00 0/2 0/0 0/0 .rodata @4396 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4396 = -880.0f;
COMPILER_STRIP_GATE(0x80D4C11C, &lit_4396);
#pragma pop
/* 80D4C120-80D4C124 0000C0 0004+00 0/2 0/0 0/0 .rodata @4397 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_4397 = 0x45AF8A66;
COMPILER_STRIP_GATE(0x80D4C120, &lit_4397);
#pragma pop
/* 80D4765C-80D47750 00085C 00F4+00 1/1 0/0 0/0 .text typeInitialize__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::typeInitialize() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/typeInitialize__8daPeru_cFv.s"
}
#pragma pop
/* 80D47750-80D47784 000950 0034+00 1/1 0/0 0/0 .text Delete__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::Delete() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/Delete__8daPeru_cFv.s"
}
#pragma pop
/* 80D47784-80D477A4 000984 0020+00 2/2 0/0 0/0 .text Execute__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::Execute() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/Execute__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C124-80D4C128 0000C4 0004+00 1/1 0/0 0/0 .rodata @4430 */
SECTION_RODATA static f32 const lit_4430 = 100.0f;
COMPILER_STRIP_GATE(0x80D4C124, &lit_4430);
/* 80D477A4-80D47840 0009A4 009C+00 1/1 0/0 0/0 .text Draw__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::Draw() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/Draw__8daPeru_cFv.s"
}
#pragma pop
/* 80D47840-80D47860 000A40 0020+00 1/1 0/0 0/0 .text createHeapCallBack__8daPeru_cFP10fopAc_ac_c
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::createHeapCallBack(fopAc_ac_c* param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/createHeapCallBack__8daPeru_cFP10fopAc_ac_c.s"
}
#pragma pop
/* 80D47860-80D478B8 000A60 0058+00 1/1 0/0 0/0 .text ctrlJointCallBack__8daPeru_cFP8J3DJointi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::ctrlJointCallBack(J3DJoint* param_0, int param_1) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/ctrlJointCallBack__8daPeru_cFP8J3DJointi.s"
}
#pragma pop
/* 80D478B8-80D478EC 000AB8 0034+00 1/1 0/0 0/0 .text isDelete__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::isDelete() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/isDelete__8daPeru_cFv.s"
}
#pragma pop
/* 80D478EC-80D47B20 000AEC 0234+00 1/1 0/0 0/0 .text reset__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::reset() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/reset__8daPeru_cFv.s"
}
#pragma pop
/* 80D47B20-80D47C4C 000D20 012C+00 1/0 0/0 0/0 .text setParam__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::setParam() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setParam__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C128-80D4C12C 0000C8 0004+00 4/14 0/0 0/0 .rodata @4548 */
SECTION_RODATA static f32 const lit_4548 = -1.0f;
COMPILER_STRIP_GATE(0x80D4C128, &lit_4548);
/* 80D47C4C-80D47CAC 000E4C 0060+00 1/0 0/0 0/0 .text setAfterTalkMotion__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::setAfterTalkMotion() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setAfterTalkMotion__8daPeru_cFv.s"
}
#pragma pop
/* 80D47CAC-80D47D5C 000EAC 00B0+00 1/1 0/0 0/0 .text srchActors__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::srchActors() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/srchActors__8daPeru_cFv.s"
}
#pragma pop
/* 80D47D5C-80D47E48 000F5C 00EC+00 1/0 0/0 0/0 .text evtTalk__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::evtTalk() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/evtTalk__8daPeru_cFv.s"
}
#pragma pop
/* 80D47E48-80D47F10 001048 00C8+00 1/0 0/0 0/0 .text evtCutProc__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::evtCutProc() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/evtCutProc__8daPeru_cFv.s"
}
#pragma pop
/* 80D47F10-80D47F5C 001110 004C+00 1/0 0/0 0/0 .text action__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::action() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/action__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C12C-80D4C130 0000CC 0004+00 0/2 0/0 0/0 .rodata @4662 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4662 = 10.0f;
COMPILER_STRIP_GATE(0x80D4C12C, &lit_4662);
#pragma pop
/* 80D4C130-80D4C134 0000D0 0004+00 0/1 0/0 0/0 .rodata @4663 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_4663 = 0x38C90FDB;
COMPILER_STRIP_GATE(0x80D4C130, &lit_4663);
#pragma pop
/* 80D4C134-80D4C138 0000D4 0004+00 0/2 0/0 0/0 .rodata @4664 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_4664 = 30.0f;
COMPILER_STRIP_GATE(0x80D4C134, &lit_4664);
#pragma pop
/* 80D4C138-80D4C140 0000D8 0008+00 1/3 0/0 0/0 .rodata @4666 */
SECTION_RODATA static u8 const lit_4666[8] = {
0x43, 0x30, 0x00, 0x00, 0x80, 0x00, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C138, &lit_4666);
/* 80D47F5C-80D481A4 00115C 0248+00 1/0 0/0 0/0 .text setAttnPos__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::setAttnPos() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setAttnPos__8daPeru_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C140-80D4C148 0000E0 0008+00 0/3 0/0 0/0 .rodata @4724 */
#pragma push
#pragma force_active on
SECTION_RODATA static u8 const lit_4724[8] = {
0x3F, 0xE0, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C140, &lit_4724);
#pragma pop
/* 80D4C148-80D4C150 0000E8 0008+00 0/3 0/0 0/0 .rodata @4725 */
#pragma push
#pragma force_active on
SECTION_RODATA static u8 const lit_4725[8] = {
0x40, 0x08, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C148, &lit_4725);
#pragma pop
/* 80D4C150-80D4C158 0000F0 0008+00 0/3 0/0 0/0 .rodata @4726 */
#pragma push
#pragma force_active on
SECTION_RODATA static u8 const lit_4726[8] = {
0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C150, &lit_4726);
#pragma pop
/* 80D4C158-80D4C160 0000F8 0008+00 1/1 0/0 0/0 .rodata @4737 */
SECTION_RODATA static u8 const lit_4737[8] = {
0x41, 0xA0, 0x00, 0x00, 0xC1, 0x20, 0x00, 0x00,
};
COMPILER_STRIP_GATE(0x80D4C158, &lit_4737);
/* 80D481A4-80D4835C 0013A4 01B8+00 1/0 0/0 0/0 .text setCollision__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::setCollision() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setCollision__8daPeru_cFv.s"
}
#pragma pop
/* 80D4835C-80D48364 00155C 0008+00 1/0 0/0 0/0 .text drawDbgInfo__8daPeru_cFv */
bool daPeru_c::drawDbgInfo() {
return false;
}
/* 80D48364-80D48414 001564 00B0+00 13/13 0/0 0/0 .text setAction__8daPeru_cFM8daPeru_cFPCvPvi_ii
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::setAction(int (daPeru_c::*param_0)(int), int param_1) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setAction__8daPeru_cFM8daPeru_cFPCvPvi_ii.s"
}
#pragma pop
/* 80D48414-80D486A0 001614 028C+00 10/0 0/0 0/0 .text wait__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::wait(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/wait__8daPeru_cFi.s"
}
#pragma pop
/* 80D486A0-80D48720 0018A0 0080+00 1/1 0/0 0/0 .text is_AppearDemo_start__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::is_AppearDemo_start() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/is_AppearDemo_start__8daPeru_cFv.s"
}
#pragma pop
/* 80D48720-80D48750 001920 0030+00 1/1 0/0 0/0 .text _AppearDemoTag_delete__8daPeru_cFv
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_AppearDemoTag_delete() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_AppearDemoTag_delete__8daPeru_cFv.s"
}
#pragma pop
/* 80D48750-80D48A7C 001950 032C+00 2/0 0/0 0/0 .text talk__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::talk(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/talk__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C160-80D4C164 000100 0004+00 0/1 0/0 0/0 .rodata @5061 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5061 = -9.0f;
COMPILER_STRIP_GATE(0x80D4C160, &lit_5061);
#pragma pop
/* 80D4C164-80D4C168 000104 0004+00 0/1 0/0 0/0 .rodata @5062 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5062 = 22.0f;
COMPILER_STRIP_GATE(0x80D4C164, &lit_5062);
#pragma pop
/* 80D4C168-80D4C16C 000108 0004+00 0/1 0/0 0/0 .rodata @5063 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5063 = 36.0f;
COMPILER_STRIP_GATE(0x80D4C168, &lit_5063);
#pragma pop
/* 80D4C16C-80D4C170 00010C 0004+00 0/1 0/0 0/0 .rodata @5064 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5064 = 14.5f;
COMPILER_STRIP_GATE(0x80D4C16C, &lit_5064);
#pragma pop
/* 80D4C170-80D4C174 000110 0004+00 0/1 0/0 0/0 .rodata @5065 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5065 = 18.0f;
COMPILER_STRIP_GATE(0x80D4C170, &lit_5065);
#pragma pop
/* 80D4C174-80D4C178 000114 0004+00 0/1 0/0 0/0 .rodata @5066 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5066 = 4.0f;
COMPILER_STRIP_GATE(0x80D4C174, &lit_5066);
#pragma pop
/* 80D48A7C-80D48C58 001C7C 01DC+00 1/0 0/0 0/0 .text jump_st__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::jump_st(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/jump_st__8daPeru_cFi.s"
}
#pragma pop
/* 80D48C58-80D48E34 001E58 01DC+00 1/0 0/0 0/0 .text jump_ed__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::jump_ed(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/jump_ed__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C178-80D4C17C 000118 0004+00 0/1 0/0 0/0 .rodata @5169 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5169 = 23.0f;
COMPILER_STRIP_GATE(0x80D4C178, &lit_5169);
#pragma pop
/* 80D48E34-80D48FA8 002034 0174+00 1/0 0/0 0/0 .text sniff__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::sniff(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/sniff__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C17C-80D4C180 00011C 0004+00 0/1 0/0 0/0 .rodata @5207 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5207 = 6.0f / 5.0f;
COMPILER_STRIP_GATE(0x80D4C17C, &lit_5207);
#pragma pop
/* 80D48FA8-80D4910C 0021A8 0164+00 1/0 0/0 0/0 .text demo_appear__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::demo_appear(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/demo_appear__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C180-80D4C184 000120 0004+00 0/1 0/0 0/0 .rodata @5247 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5247 = 24.0f / 5.0f;
COMPILER_STRIP_GATE(0x80D4C180, &lit_5247);
#pragma pop
/* 80D4C184-80D4C188 000124 0004+00 0/1 0/0 0/0 .rodata @5248 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5248 = 13.0f / 10.0f;
COMPILER_STRIP_GATE(0x80D4C184, &lit_5248);
#pragma pop
/* 80D4C188-80D4C18C 000128 0004+00 0/1 0/0 0/0 .rodata @5249 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5249 = 130.0f;
COMPILER_STRIP_GATE(0x80D4C188, &lit_5249);
#pragma pop
/* 80D4910C-80D492A8 00230C 019C+00 1/0 0/0 0/0 .text demo_walk_to_link__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::demo_walk_to_link(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/demo_walk_to_link__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C18C-80D4C190 00012C 0004+00 0/2 0/0 0/0 .rodata @5282 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5282 = 21.0f / 5.0f;
COMPILER_STRIP_GATE(0x80D4C18C, &lit_5282);
#pragma pop
/* 80D492A8-80D49418 0024A8 0170+00 1/0 0/0 0/0 .text demo_walk_circle__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::demo_walk_circle(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/demo_walk_circle__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C190-80D4C194 000130 0004+00 0/1 0/0 0/0 .rodata @5360 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5360 = 0x45405B96;
COMPILER_STRIP_GATE(0x80D4C190, &lit_5360);
#pragma pop
/* 80D4C194-80D4C198 000134 0004+00 0/1 0/0 0/0 .rodata @5361 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5361 = 0xC4598148;
COMPILER_STRIP_GATE(0x80D4C194, &lit_5361);
#pragma pop
/* 80D4C198-80D4C19C 000138 0004+00 0/1 0/0 0/0 .rodata @5362 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5362 = 0x45BD3A31;
COMPILER_STRIP_GATE(0x80D4C198, &lit_5362);
#pragma pop
/* 80D49418-80D4971C 002618 0304+00 1/0 0/0 0/0 .text demo_walk_to_window__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::demo_walk_to_window(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/demo_walk_to_window__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C19C-80D4C1A0 00013C 0004+00 0/1 0/0 0/0 .rodata @5436 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5436 = 8.0f;
COMPILER_STRIP_GATE(0x80D4C19C, &lit_5436);
#pragma pop
/* 80D4C1A0-80D4C1A4 000140 0004+00 0/1 0/0 0/0 .rodata @5437 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5437 = 0x453305F0;
COMPILER_STRIP_GATE(0x80D4C1A0, &lit_5437);
#pragma pop
/* 80D4C1A4-80D4C1A8 000144 0004+00 0/1 0/0 0/0 .rodata @5438 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5438 = 0xC4524EE9;
COMPILER_STRIP_GATE(0x80D4C1A4, &lit_5438);
#pragma pop
/* 80D4C1A8-80D4C1AC 000148 0004+00 0/1 0/0 0/0 .rodata @5439 */
#pragma push
#pragma force_active on
SECTION_RODATA static u32 const lit_5439 = 0x45ADFCC7;
COMPILER_STRIP_GATE(0x80D4C1A8, &lit_5439);
#pragma pop
/* 80D4C1AC-80D4C1B0 00014C 0004+00 0/1 0/0 0/0 .rodata @5440 */
#pragma push
#pragma force_active on
SECTION_RODATA static f32 const lit_5440 = 60.0f;
COMPILER_STRIP_GATE(0x80D4C1AC, &lit_5440);
#pragma pop
/* 80D4971C-80D499AC 00291C 0290+00 1/0 0/0 0/0 .text demo_walk_to_pathway__8daPeru_cFi
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::demo_walk_to_pathway(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/demo_walk_to_pathway__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C1B0-80D4C1B0 000150 0000+00 0/0 0/0 0/0 .rodata @stringBase0 */
#pragma push
#pragma force_active on
SECTION_DEAD static char const* const stringBase_80D4C1D3 = "cut_id";
#pragma pop
/* 80D499AC-80D49A40 002BAC 0094+00 1/0 0/0 0/0 .text cutAppear__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::cutAppear(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/cutAppear__8daPeru_cFi.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C7F0-80D4C7F4 000008 0001+03 1/1 0/0 0/0 .bss @1109 */
static u8 lit_1109[1 + 3 /* padding */];
/* 80D4C7F4-80D4C7F8 00000C 0001+03 0/0 0/0 0/0 .bss @1107 */
#pragma push
#pragma force_active on
static u8 lit_1107[1 + 3 /* padding */];
#pragma pop
/* 80D4C7F8-80D4C7FC 000010 0001+03 0/0 0/0 0/0 .bss @1105 */
#pragma push
#pragma force_active on
static u8 lit_1105[1 + 3 /* padding */];
#pragma pop
/* 80D4C7FC-80D4C800 000014 0001+03 0/0 0/0 0/0 .bss @1104 */
#pragma push
#pragma force_active on
static u8 lit_1104[1 + 3 /* padding */];
#pragma pop
/* 80D4C800-80D4C804 000018 0001+03 0/0 0/0 0/0 .bss @1099 */
#pragma push
#pragma force_active on
static u8 lit_1099[1 + 3 /* padding */];
#pragma pop
/* 80D4C804-80D4C808 00001C 0001+03 0/0 0/0 0/0 .bss @1097 */
#pragma push
#pragma force_active on
static u8 lit_1097[1 + 3 /* padding */];
#pragma pop
/* 80D4C808-80D4C80C 000020 0001+03 0/0 0/0 0/0 .bss @1095 */
#pragma push
#pragma force_active on
static u8 lit_1095[1 + 3 /* padding */];
#pragma pop
/* 80D4C80C-80D4C810 000024 0001+03 0/0 0/0 0/0 .bss @1094 */
#pragma push
#pragma force_active on
static u8 lit_1094[1 + 3 /* padding */];
#pragma pop
/* 80D4C810-80D4C814 000028 0001+03 0/0 0/0 0/0 .bss @1057 */
#pragma push
#pragma force_active on
static u8 lit_1057[1 + 3 /* padding */];
#pragma pop
/* 80D4C814-80D4C818 00002C 0001+03 0/0 0/0 0/0 .bss @1055 */
#pragma push
#pragma force_active on
static u8 lit_1055[1 + 3 /* padding */];
#pragma pop
/* 80D4C818-80D4C81C 000030 0001+03 0/0 0/0 0/0 .bss @1053 */
#pragma push
#pragma force_active on
static u8 lit_1053[1 + 3 /* padding */];
#pragma pop
/* 80D4C81C-80D4C820 000034 0001+03 0/0 0/0 0/0 .bss @1052 */
#pragma push
#pragma force_active on
static u8 lit_1052[1 + 3 /* padding */];
#pragma pop
/* 80D4C820-80D4C824 000038 0001+03 0/0 0/0 0/0 .bss @1014 */
#pragma push
#pragma force_active on
static u8 lit_1014[1 + 3 /* padding */];
#pragma pop
/* 80D4C824-80D4C828 00003C 0001+03 0/0 0/0 0/0 .bss @1012 */
#pragma push
#pragma force_active on
static u8 lit_1012[1 + 3 /* padding */];
#pragma pop
/* 80D4C828-80D4C82C 000040 0001+03 0/0 0/0 0/0 .bss @1010 */
#pragma push
#pragma force_active on
static u8 lit_1010[1 + 3 /* padding */];
#pragma pop
/* 80D4C82C-80D4C830 000044 0001+03 0/0 0/0 0/0 .bss @1009 */
#pragma push
#pragma force_active on
static u8 lit_1009[1 + 3 /* padding */];
#pragma pop
/* 80D4C830-80D4C83C 000048 000C+00 1/1 0/0 0/0 .bss @3837 */
static u8 lit_3837[12];
/* 80D4C83C-80D4C840 000054 0004+00 1/1 0/0 0/0 .bss l_HIO */
static u8 l_HIO[4];
/* 80D4C840-80D4C850 000058 000C+04 0/1 0/0 0/0 .bss @5484 */
#pragma push
#pragma force_active on
static u8 lit_5484[12 + 4 /* padding */];
#pragma pop
/* 80D4C850-80D4C85C 000068 000C+00 0/1 0/0 0/0 .bss see_pos$5483 */
#pragma push
#pragma force_active on
static u8 see_pos[12];
#pragma pop
/* 80D49A40-80D4A334 002C40 08F4+00 1/1 0/0 0/0 .text _cutAppear_Init__8daPeru_cFRCi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_cutAppear_Init(int const& param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_cutAppear_Init__8daPeru_cFRCi.s"
}
#pragma pop
/* 80D4A334-80D4A840 003534 050C+00 1/1 0/0 0/0 .text _cutAppear_Main__8daPeru_cFRCi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_cutAppear_Main(int const& param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_cutAppear_Main__8daPeru_cFRCi.s"
}
#pragma pop
/* 80D4A840-80D4A920 003A40 00E0+00 1/1 0/0 0/0 .text _catdoor_open__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_catdoor_open() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_catdoor_open__8daPeru_cFv.s"
}
#pragma pop
/* 80D4A920-80D4A984 003B20 0064+00 1/1 0/0 0/0 .text _catdoor_open_demoskip__8daPeru_cFv
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_catdoor_open_demoskip() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_catdoor_open_demoskip__8daPeru_cFv.s"
}
#pragma pop
/* 80D4A984-80D4AA18 003B84 0094+00 1/0 0/0 0/0 .text cutAppear_skip__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::cutAppear_skip(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/cutAppear_skip__8daPeru_cFi.s"
}
#pragma pop
/* 80D4AA18-80D4AAF0 003C18 00D8+00 1/1 0/0 0/0 .text _cutAppear_skip_Init__8daPeru_cFRCi
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_cutAppear_skip_Init(int const& param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_cutAppear_skip_Init__8daPeru_cFRCi.s"
}
#pragma pop
/* 80D4AAF0-80D4AB08 003CF0 0018+00 1/1 0/0 0/0 .text _cutAppear_skip_Main__8daPeru_cFRCi
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::_cutAppear_skip_Main(int const& param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/_cutAppear_skip_Main__8daPeru_cFRCi.s"
}
#pragma pop
/* 80D4AB08-80D4AB28 003D08 0020+00 1/0 0/0 0/0 .text daPeru_Create__FPv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void daPeru_Create(void* param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/daPeru_Create__FPv.s"
}
#pragma pop
/* 80D4AB28-80D4AB48 003D28 0020+00 1/0 0/0 0/0 .text daPeru_Delete__FPv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void daPeru_Delete(void* param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/daPeru_Delete__FPv.s"
}
#pragma pop
/* 80D4AB48-80D4AB68 003D48 0020+00 1/0 0/0 0/0 .text daPeru_Execute__FPv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void daPeru_Execute(void* param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/daPeru_Execute__FPv.s"
}
#pragma pop
/* 80D4AB68-80D4AB88 003D68 0020+00 1/0 0/0 0/0 .text daPeru_Draw__FPv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void daPeru_Draw(void* param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/daPeru_Draw__FPv.s"
}
#pragma pop
/* 80D4AB88-80D4AB90 003D88 0008+00 1/0 0/0 0/0 .text daPeru_IsDelete__FPv */
static bool daPeru_IsDelete(void* param_0) {
return true;
}
/* 80D4AB90-80D4ABC0 003D90 0030+00 1/0 0/0 0/0 .text calc__11J3DTexNoAnmCFPUs */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void J3DTexNoAnm::calc(u16* param_0) const {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/calc__11J3DTexNoAnmCFPUs.s"
}
#pragma pop
/* 80D4ABC0-80D4AC08 003DC0 0048+00 1/0 0/0 0/0 .text __dt__10cCcD_GSttsFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm cCcD_GStts::~cCcD_GStts() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__10cCcD_GSttsFv.s"
}
#pragma pop
/* 80D4AC08-80D4AF90 003E08 0388+00 1/1 0/0 0/0 .text __dt__8daNpcT_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_c::~daNpcT_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__8daNpcT_cFv.s"
}
#pragma pop
/* 80D4AF90-80D4AFCC 004190 003C+00 4/4 0/0 0/0 .text __dt__4cXyzFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm cXyz::~cXyz() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__4cXyzFv.s"
}
#pragma pop
/* 80D4AFCC-80D4B008 0041CC 003C+00 2/2 0/0 0/0 .text __dt__5csXyzFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm csXyz::~csXyz() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__5csXyzFv.s"
}
#pragma pop
/* 80D4B008-80D4B050 004208 0048+00 3/2 0/0 0/0 .text __dt__18daNpcT_ActorMngr_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_ActorMngr_c::~daNpcT_ActorMngr_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__18daNpcT_ActorMngr_cFv.s"
}
#pragma pop
/* 80D4B050-80D4B11C 004250 00CC+00 2/2 0/0 0/0 .text __dt__8dCcD_CylFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm dCcD_Cyl::~dCcD_Cyl() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__8dCcD_CylFv.s"
}
#pragma pop
/* 80D4B11C-80D4B164 00431C 0048+00 1/0 0/0 0/0 .text __dt__13daNpcT_Path_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_Path_c::~daNpcT_Path_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__13daNpcT_Path_cFv.s"
}
#pragma pop
/* 80D4B164-80D4B1E8 004364 0084+00 1/1 0/0 0/0 .text __ct__8dCcD_CylFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm dCcD_Cyl::dCcD_Cyl() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__8dCcD_CylFv.s"
}
#pragma pop
/* 80D4B1E8-80D4B230 0043E8 0048+00 1/0 0/0 0/0 .text __dt__8cM3dGCylFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm cM3dGCyl::~cM3dGCyl() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__8cM3dGCylFv.s"
}
#pragma pop
/* 80D4B230-80D4B278 004430 0048+00 1/0 0/0 0/0 .text __dt__8cM3dGAabFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm cM3dGAab::~cM3dGAab() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__8cM3dGAabFv.s"
}
#pragma pop
/* 80D4B278-80D4B2B4 004478 003C+00 1/1 0/0 0/0 .text __ct__18daNpcT_ActorMngr_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_ActorMngr_c::daNpcT_ActorMngr_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__ct__18daNpcT_ActorMngr_cFv.s"
}
#pragma pop
/* 80D4B2B4-80D4B6B8 0044B4 0404+00 1/1 0/0 0/0 .text
* __ct__8daNpcT_cFPC26daNpcT_faceMotionAnmData_cPC22daNpcT_motionAnmData_cPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPC16daNpcT_evtData_cPPc
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_c::daNpcT_c(daNpcT_faceMotionAnmData_c const* param_0,
daNpcT_motionAnmData_c const* param_1,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const* param_2, int param_3,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const* param_4, int param_5,
daNpcT_evtData_c const* param_6, char** param_7) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/func_80D4B2B4.s"
}
#pragma pop
/* 80D4B6B8-80D4B6BC 0048B8 0004+00 1/1 0/0 0/0 .text __ct__5csXyzFv */
csXyz::csXyz() {
/* empty function */
}
/* 80D4B6BC-80D4B7B8 0048BC 00FC+00 1/0 0/0 0/0 .text __dt__15daNpcT_JntAnm_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_JntAnm_c::~daNpcT_JntAnm_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__15daNpcT_JntAnm_cFv.s"
}
#pragma pop
/* 80D4B7B8-80D4B7BC 0049B8 0004+00 1/1 0/0 0/0 .text __ct__4cXyzFv */
cXyz::cXyz() {
/* empty function */
}
/* 80D4B7BC-80D4B804 0049BC 0048+00 1/0 0/0 0/0 .text __dt__22daNpcT_MotionSeqMngr_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daNpcT_MotionSeqMngr_c::~daNpcT_MotionSeqMngr_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__22daNpcT_MotionSeqMngr_cFv.s"
}
#pragma pop
/* 80D4B804-80D4B874 004A04 0070+00 1/0 0/0 0/0 .text __dt__12dBgS_AcchCirFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm dBgS_AcchCir::~dBgS_AcchCir() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__12dBgS_AcchCirFv.s"
}
#pragma pop
/* 80D4B874-80D4B8D0 004A74 005C+00 1/0 0/0 0/0 .text __dt__10dCcD_GSttsFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm dCcD_GStts::~dCcD_GStts() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__10dCcD_GSttsFv.s"
}
#pragma pop
/* 80D4B8D0-80D4B940 004AD0 0070+00 3/2 0/0 0/0 .text __dt__12dBgS_ObjAcchFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm dBgS_ObjAcch::~dBgS_ObjAcch() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__12dBgS_ObjAcchFv.s"
}
#pragma pop
/* 80D4B940-80D4B988 004B40 0048+00 1/0 0/0 0/0 .text __dt__12J3DFrameCtrlFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm J3DFrameCtrl::~J3DFrameCtrl() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__12J3DFrameCtrlFv.s"
}
#pragma pop
/* 80D4B988-80D4BAA4 004B88 011C+00 1/1 0/0 0/0 .text setEyeAngleY__15daNpcT_JntAnm_cF4cXyzsifs */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daNpcT_JntAnm_c::setEyeAngleY(cXyz param_0, s16 param_1, int param_2, f32 param_3,
s16 param_4) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setEyeAngleY__15daNpcT_JntAnm_cF4cXyzsifs.s"
}
#pragma pop
/* 80D4BAA4-80D4BCAC 004CA4 0208+00 1/1 0/0 0/0 .text setEyeAngleX__15daNpcT_JntAnm_cF4cXyzfs */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daNpcT_JntAnm_c::setEyeAngleX(cXyz param_0, f32 param_1, s16 param_2) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/setEyeAngleX__15daNpcT_JntAnm_cF4cXyzfs.s"
}
#pragma pop
/* 80D4BCAC-80D4BCB0 004EAC 0004+00 1/0 0/0 0/0 .text ctrlSubFaceMotion__8daNpcT_cFi */
void daNpcT_c::ctrlSubFaceMotion(int param_0) {
/* empty function */
}
/* 80D4BCB0-80D4BCB8 004EB0 0008+00 1/0 0/0 0/0 .text getFootLJointNo__8daNpcT_cFv */
s32 daNpcT_c::getFootLJointNo() {
return -1;
}
/* 80D4BCB8-80D4BCC0 004EB8 0008+00 1/0 0/0 0/0 .text getFootRJointNo__8daNpcT_cFv */
s32 daNpcT_c::getFootRJointNo() {
return -1;
}
/* 80D4BCC0-80D4BCC8 004EC0 0008+00 1/0 0/0 0/0 .text getEyeballLMaterialNo__8daNpcT_cFv
*/
bool daNpcT_c::getEyeballLMaterialNo() {
return false;
}
/* 80D4BCC8-80D4BCD0 004EC8 0008+00 1/0 0/0 0/0 .text getEyeballRMaterialNo__8daNpcT_cFv
*/
bool daNpcT_c::getEyeballRMaterialNo() {
return false;
}
/* 80D4BCD0-80D4BCD4 004ED0 0004+00 1/0 0/0 0/0 .text afterJntAnm__8daNpcT_cFi */
void daNpcT_c::afterJntAnm(int param_0) {
/* empty function */
}
/* 80D4BCD4-80D4BCDC 004ED4 0008+00 1/0 0/0 0/0 .text checkChangeEvt__8daNpcT_cFv */
bool daNpcT_c::checkChangeEvt() {
return false;
}
/* 80D4BCDC-80D4BCE4 004EDC 0008+00 1/0 0/0 0/0 .text evtEndProc__8daNpcT_cFv */
bool daNpcT_c::evtEndProc() {
return true;
}
/* 80D4BCE4-80D4BCE8 004EE4 0004+00 1/0 0/0 0/0 .text afterMoved__8daNpcT_cFv */
void daNpcT_c::afterMoved() {
/* empty function */
}
/* 80D4BCE8-80D4BCF0 004EE8 0008+00 1/0 0/0 0/0 .text chkXYItems__8daNpcT_cFv */
bool daNpcT_c::chkXYItems() {
return false;
}
/* 80D4BCF0-80D4BD08 004EF0 0018+00 1/0 0/0 0/0 .text decTmr__8daNpcT_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daNpcT_c::decTmr() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/decTmr__8daNpcT_cFv.s"
}
#pragma pop
/* 80D4BD08-80D4BD0C 004F08 0004+00 1/0 0/0 0/0 .text drawOtherMdl__8daNpcT_cFv */
void daNpcT_c::drawOtherMdl() {
/* empty function */
}
/* 80D4BD0C-80D4BD10 004F0C 0004+00 1/0 0/0 0/0 .text drawGhost__8daNpcT_cFv */
void daNpcT_c::drawGhost() {
/* empty function */
}
/* 80D4BD10-80D4BD18 004F10 0008+00 1/0 0/0 0/0 .text afterSetFaceMotionAnm__8daNpcT_cFiifi */
bool daNpcT_c::afterSetFaceMotionAnm(int param_0, int param_1, f32 param_2, int param_3) {
return true;
}
/* 80D4BD18-80D4BD20 004F18 0008+00 1/0 0/0 0/0 .text afterSetMotionAnm__8daNpcT_cFiifi
*/
bool daNpcT_c::afterSetMotionAnm(int param_0, int param_1, f32 param_2, int param_3) {
return true;
}
/* 80D4BD20-80D4BD50 004F20 0030+00 1/0 0/0 0/0 .text
* getFaceMotionAnm__8daNpcT_cF26daNpcT_faceMotionAnmData_c */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daNpcT_c::getFaceMotionAnm(daNpcT_faceMotionAnmData_c param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/getFaceMotionAnm__8daNpcT_cF26daNpcT_faceMotionAnmData_c.s"
}
#pragma pop
/* 80D4BD50-80D4BD80 004F50 0030+00 1/0 0/0 0/0 .text
* getMotionAnm__8daNpcT_cF22daNpcT_motionAnmData_c */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daNpcT_c::getMotionAnm(daNpcT_motionAnmData_c param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/getMotionAnm__8daNpcT_cF22daNpcT_motionAnmData_c.s"
}
#pragma pop
/* 80D4BD80-80D4BD84 004F80 0004+00 1/0 0/0 0/0 .text changeAnm__8daNpcT_cFPiPi */
void daNpcT_c::changeAnm(int* param_0, int* param_1) {
/* empty function */
}
/* 80D4BD84-80D4BD88 004F84 0004+00 1/0 0/0 0/0 .text changeBck__8daNpcT_cFPiPi */
void daNpcT_c::changeBck(int* param_0, int* param_1) {
/* empty function */
}
/* 80D4BD88-80D4BD8C 004F88 0004+00 1/0 0/0 0/0 .text changeBtp__8daNpcT_cFPiPi */
void daNpcT_c::changeBtp(int* param_0, int* param_1) {
/* empty function */
}
/* 80D4BD8C-80D4BD90 004F8C 0004+00 1/0 0/0 0/0 .text changeBtk__8daNpcT_cFPiPi */
void daNpcT_c::changeBtk(int* param_0, int* param_1) {
/* empty function */
}
/* ############################################################################################## */
/* 80D4C7D8-80D4C7E4 0005FC 000C+00 2/2 0/0 0/0 .data __vt__14daPeru_Param_c */
SECTION_DATA extern void* __vt__14daPeru_Param_c[3] = {
(void*)NULL /* RTTI */,
(void*)NULL,
(void*)__dt__14daPeru_Param_cFv,
};
/* 80D4BD90-80D4BE2C 004F90 009C+00 0/0 1/0 0/0 .text __sinit_d_a_peru_cpp */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void __sinit_d_a_peru_cpp() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__sinit_d_a_peru_cpp.s"
}
#pragma pop
#pragma push
#pragma force_active on
REGISTER_CTORS(0x80D4BD90, __sinit_d_a_peru_cpp);
#pragma pop
/* 80D4BE2C-80D4BEC4 00502C 0098+00 1/1 0/0 0/0 .text
* __ct__8daPeru_cFPC26daNpcT_faceMotionAnmData_cPC22daNpcT_motionAnmData_cPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPCQ222daNpcT_MotionSeqMngr_c18sequenceStepData_ciPC16daNpcT_evtData_cPPc
*/
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daPeru_c::daPeru_c(daNpcT_faceMotionAnmData_c const* param_0,
daNpcT_motionAnmData_c const* param_1,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const* param_2, int param_3,
daNpcT_MotionSeqMngr_c::sequenceStepData_c const* param_4, int param_5,
daNpcT_evtData_c const* param_6, char** param_7) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/func_80D4BE2C.s"
}
#pragma pop
/* 80D4BEC4-80D4BECC 0050C4 0008+00 1/0 0/0 0/0 .text getEyeballMaterialNo__8daPeru_cFv
*/
bool daPeru_c::getEyeballMaterialNo() {
return true;
}
/* 80D4BECC-80D4BED4 0050CC 0008+00 1/0 0/0 0/0 .text getHeadJointNo__8daPeru_cFv */
s32 daPeru_c::getHeadJointNo() {
return 4;
}
/* 80D4BED4-80D4BEDC 0050D4 0008+00 1/0 0/0 0/0 .text getNeckJointNo__8daPeru_cFv */
s32 daPeru_c::getNeckJointNo() {
return 3;
}
/* 80D4BEDC-80D4BEE4 0050DC 0008+00 1/0 0/0 0/0 .text getBackboneJointNo__8daPeru_cFv */
bool daPeru_c::getBackboneJointNo() {
return true;
}
/* 80D4BEE4-80D4BEF4 0050E4 0010+00 1/0 0/0 0/0 .text checkChangeJoint__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::checkChangeJoint(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/checkChangeJoint__8daPeru_cFi.s"
}
#pragma pop
/* 80D4BEF4-80D4BF04 0050F4 0010+00 1/0 0/0 0/0 .text checkRemoveJoint__8daPeru_cFi */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::checkRemoveJoint(int param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/checkRemoveJoint__8daPeru_cFi.s"
}
#pragma pop
/* 80D4BF04-80D4BF7C 005104 0078+00 1/0 0/0 0/0 .text beforeMove__8daPeru_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPeru_c::beforeMove() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/beforeMove__8daPeru_cFv.s"
}
#pragma pop
/* 80D4BF7C-80D4BFC4 00517C 0048+00 2/1 0/0 0/0 .text __dt__14daPeru_Param_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm daPeru_Param_c::~daPeru_Param_c() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/__dt__14daPeru_Param_cFv.s"
}
#pragma pop
/* 80D4BFC4-80D4BFCC 0051C4 0008+00 1/0 0/0 0/0 .text @36@__dt__12dBgS_ObjAcchFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void func_80D4BFC4() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/func_80D4BFC4.s"
}
#pragma pop
/* 80D4BFCC-80D4BFD4 0051CC 0008+00 1/0 0/0 0/0 .text @20@__dt__12dBgS_ObjAcchFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
static asm void func_80D4BFCC() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/func_80D4BFCC.s"
}
#pragma pop
/* 80D4BFD4-80D4C034 0051D4 0060+00 1/1 0/0 0/0 .text chkPointInArea__15daTag_EvtArea_cF4cXyz */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daTag_EvtArea_c::chkPointInArea(cXyz param_0) {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/chkPointInArea__15daTag_EvtArea_cF4cXyz.s"
}
#pragma pop
/* 80D4C034-80D4C04C 005234 0018+00 1/1 0/0 0/0 .text checkNowWolf__9daPy_py_cFv */
#pragma push
#pragma optimization_level 0
#pragma optimizewithasm off
asm void daPy_py_c::checkNowWolf() {
nofralloc
#include "asm/rel/d/a/d_a_peru/d_a_peru/checkNowWolf__9daPy_py_cFv.s"
}
#pragma pop
/* ############################################################################################## */
/* 80D4C85C-80D4C860 000074 0004+00 0/0 0/0 0/0 .bss
* sInstance__40JASGlobalInstance<19JASDefaultBankTable> */
#pragma push
#pragma force_active on
static u8 data_80D4C85C[4];
#pragma pop
/* 80D4C860-80D4C864 000078 0004+00 0/0 0/0 0/0 .bss
* sInstance__35JASGlobalInstance<14JASAudioThread> */
#pragma push
#pragma force_active on
static u8 data_80D4C860[4];
#pragma pop
/* 80D4C864-80D4C868 00007C 0004+00 0/0 0/0 0/0 .bss sInstance__27JASGlobalInstance<7Z2SeMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C864[4];
#pragma pop
/* 80D4C868-80D4C86C 000080 0004+00 0/0 0/0 0/0 .bss sInstance__28JASGlobalInstance<8Z2SeqMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C868[4];
#pragma pop
/* 80D4C86C-80D4C870 000084 0004+00 0/0 0/0 0/0 .bss sInstance__31JASGlobalInstance<10Z2SceneMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C86C[4];
#pragma pop
/* 80D4C870-80D4C874 000088 0004+00 0/0 0/0 0/0 .bss sInstance__32JASGlobalInstance<11Z2StatusMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C870[4];
#pragma pop
/* 80D4C874-80D4C878 00008C 0004+00 0/0 0/0 0/0 .bss sInstance__31JASGlobalInstance<10Z2DebugSys>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C874[4];
#pragma pop
/* 80D4C878-80D4C87C 000090 0004+00 0/0 0/0 0/0 .bss
* sInstance__36JASGlobalInstance<15JAISoundStarter> */
#pragma push
#pragma force_active on
static u8 data_80D4C878[4];
#pragma pop
/* 80D4C87C-80D4C880 000094 0004+00 0/0 0/0 0/0 .bss
* sInstance__35JASGlobalInstance<14Z2SoundStarter> */
#pragma push
#pragma force_active on
static u8 data_80D4C87C[4];
#pragma pop
/* 80D4C880-80D4C884 000098 0004+00 0/0 0/0 0/0 .bss
* sInstance__33JASGlobalInstance<12Z2SpeechMgr2> */
#pragma push
#pragma force_active on
static u8 data_80D4C880[4];
#pragma pop
/* 80D4C884-80D4C888 00009C 0004+00 0/0 0/0 0/0 .bss sInstance__28JASGlobalInstance<8JAISeMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C884[4];
#pragma pop
/* 80D4C888-80D4C88C 0000A0 0004+00 0/0 0/0 0/0 .bss sInstance__29JASGlobalInstance<9JAISeqMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C888[4];
#pragma pop
/* 80D4C88C-80D4C890 0000A4 0004+00 0/0 0/0 0/0 .bss
* sInstance__33JASGlobalInstance<12JAIStreamMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C88C[4];
#pragma pop
/* 80D4C890-80D4C894 0000A8 0004+00 0/0 0/0 0/0 .bss sInstance__31JASGlobalInstance<10Z2SoundMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C890[4];
#pragma pop
/* 80D4C894-80D4C898 0000AC 0004+00 0/0 0/0 0/0 .bss
* sInstance__33JASGlobalInstance<12JAISoundInfo> */
#pragma push
#pragma force_active on
static u8 data_80D4C894[4];
#pragma pop
/* 80D4C898-80D4C89C 0000B0 0004+00 0/0 0/0 0/0 .bss
* sInstance__34JASGlobalInstance<13JAUSoundTable> */
#pragma push
#pragma force_active on
static u8 data_80D4C898[4];
#pragma pop
/* 80D4C89C-80D4C8A0 0000B4 0004+00 0/0 0/0 0/0 .bss
* sInstance__38JASGlobalInstance<17JAUSoundNameTable> */
#pragma push
#pragma force_active on
static u8 data_80D4C89C[4];
#pragma pop
/* 80D4C8A0-80D4C8A4 0000B8 0004+00 0/0 0/0 0/0 .bss
* sInstance__33JASGlobalInstance<12JAUSoundInfo> */
#pragma push
#pragma force_active on
static u8 data_80D4C8A0[4];
#pragma pop
/* 80D4C8A4-80D4C8A8 0000BC 0004+00 0/0 0/0 0/0 .bss sInstance__32JASGlobalInstance<11Z2SoundInfo>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C8A4[4];
#pragma pop
/* 80D4C8A8-80D4C8AC 0000C0 0004+00 0/0 0/0 0/0 .bss
* sInstance__34JASGlobalInstance<13Z2SoundObjMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C8A8[4];
#pragma pop
/* 80D4C8AC-80D4C8B0 0000C4 0004+00 0/0 0/0 0/0 .bss sInstance__31JASGlobalInstance<10Z2Audience>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C8AC[4];
#pragma pop
/* 80D4C8B0-80D4C8B4 0000C8 0004+00 0/0 0/0 0/0 .bss sInstance__32JASGlobalInstance<11Z2FxLineMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C8B0[4];
#pragma pop
/* 80D4C8B4-80D4C8B8 0000CC 0004+00 0/0 0/0 0/0 .bss sInstance__31JASGlobalInstance<10Z2EnvSeMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C8B4[4];
#pragma pop
/* 80D4C8B8-80D4C8BC 0000D0 0004+00 0/0 0/0 0/0 .bss sInstance__32JASGlobalInstance<11Z2SpeechMgr>
*/
#pragma push
#pragma force_active on
static u8 data_80D4C8B8[4];
#pragma pop
/* 80D4C8BC-80D4C8C0 0000D4 0004+00 0/0 0/0 0/0 .bss
* sInstance__34JASGlobalInstance<13Z2WolfHowlMgr> */
#pragma push
#pragma force_active on
static u8 data_80D4C8BC[4];
#pragma pop
/* 80D4C1B0-80D4C1B0 000150 0000+00 0/0 0/0 0/0 .rodata @stringBase0 */
| [
""
] | |
fc689ba65a152ca500adb9825b02f9f62a923fd6 | cfb705f3727ff2f53288269ae37bd2cb6687951d | /CAFCore/SFramework/SFramework/TSModelBuilder.h | 203813501b83442cc1bb8c2d72f3ae0e0017c7c2 | [] | no_license | alessio94/di-Higgs-analysis | 395934df01190998057f7c81775209c5d32f906e | 79c793cc819df7c8511c45f3efe6bdd10fd966bf | refs/heads/master | 2023-02-17T05:44:59.997960 | 2023-02-13T18:02:42 | 2023-02-13T18:02:42 | 224,252,187 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,675 | h | //this file looks like plain C, but it's actually -*- c++ -*-
#ifndef MODEL_BUILDER_H
#define MODEL_BUILDER_H
#include "SFramework/TSModelFactory.h"
#include "SFramework/TSSystematicsManager.h"
#include "QFramework/TQSampleFolder.h"
#include "QFramework/TQTaggable.h"
class TSModelBuilder : public TSSystematicsManager {
protected:
int errorCount = 0;
int maxErrorCount = 1000;
int warnCount = 0;
int maxWarnCount = 1000;
TQSampleFolder * fDefaultSampleFolder;
virtual Bool_t createChannelDefinitions(TQFolder * config, TQFolder * model);
virtual Bool_t createChannelDefinition(TQFolder * config, TQFolder * model, TString name);
virtual std::vector<int> getRemapping(TQFolder * channelConfig, TQSampleFolder * refSamples,TString refPath, TString refHistogram, TQTaggable * refHistogramOptions, Int_t remapX, Int_t remapY, Int_t &dim, Bool_t remapSlices);
virtual std::vector<int> getRemappingOptimizedSgnf(TQFolder * channelConfig, TQSampleFolder * refSamples, TString sigPath, TString bkgPath, TString histname, TQTaggable * histogramOptions, Int_t &dim);
virtual std::vector<int> getMergeBins(TQFolder * config, TQFolder * channelConfig, std::map<TQFolder*,TH1*> histograms, TString varname, Bool_t isNominal, Int_t &dim); // remco
virtual TQSampleFolder * getSampleFolder(TQFolder * config);
virtual Bool_t collectAllHistograms(TQFolder * config, TQFolder * model);
virtual Bool_t collectHistograms(TQFolder * config, TQFolder * model, TQFolder* variation);
virtual Bool_t collectHistograms(TQFolder * config, TQFolder * model, TQSampleFolder * samples, TQFolder* variation);
void info(TString message);
void error(TString message);
void warn(TString message);
public:
TSModelBuilder();
static void applyEdits(TQFolder* edit, TQFolder* model);
static void applyStyle(TQFolder* model, const TString& samplename, TH1* hist);
virtual void setDefaultSampleFolder(TQSampleFolder * sampleFolder);
virtual TQSampleFolder * getDefaultSampleFolder();
virtual TQFolder * createDefinition(TQFolder * config);
virtual Bool_t finalizeModel(TQFolder * model, TQFolder * config);
virtual TQFolder * buildModel(TQFolder * config);
void purgeVariation(TQFolder* model, const TString& name, Bool_t notify = false);
Bool_t parseConversion(TString def, Bool_t &alongX,
Bool_t &includeUnderflowX, Bool_t &includeOverflowX,
Bool_t &includeUnderflowY, Bool_t &includeOverflowY);
TH1* processHistogram(TQFolder* config, TQFolder* sampleDef, const TH1* histo);
virtual ~TSModelBuilder();
ClassDefOverride(TSModelBuilder, 0);
};
#endif
| [
"alessiopizzini@gmail.com"
] | alessiopizzini@gmail.com |
9295d3000e6080f92a967519433bb1893faad591 | 51928337483095b12f046eda9ea17ba0b1a81fc0 | /3rdparty/cppwinrt/10.0.15063.0/winrt/internal/Windows.Globalization.PhoneNumberFormatting.3.h | a344ea935cc2d085da049b707548566b1affe21b | [
"LicenseRef-scancode-generic-cla",
"MIT"
] | permissive | kingofthebongo2008/geometry_images | 8592aa99e53a16821725a2564313eeafb0462362 | 53109f9bc9ea19d0f119f0fe71762248d5038213 | refs/heads/master | 2021-01-19T03:02:56.996122 | 2017-07-06T13:25:47 | 2017-07-06T13:25:47 | 87,302,727 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,531 | h | // C++ for the Windows Runtime v1.0.170331.7
// Copyright (c) 2017 Microsoft Corporation. All rights reserved.
#pragma once
#include "Windows.Globalization.PhoneNumberFormatting.2.h"
WINRT_EXPORT namespace winrt {
namespace Windows::Globalization::PhoneNumberFormatting {
struct WINRT_EBO PhoneNumberFormatter :
Windows::Globalization::PhoneNumberFormatting::IPhoneNumberFormatter
{
PhoneNumberFormatter(std::nullptr_t) noexcept {}
PhoneNumberFormatter();
static void TryCreate(hstring_view regionCode, Windows::Globalization::PhoneNumberFormatting::PhoneNumberFormatter & phoneNumber);
static int32_t GetCountryCodeForRegion(hstring_view regionCode);
static hstring GetNationalDirectDialingPrefixForRegion(hstring_view regionCode, bool stripNonDigit);
static hstring WrapWithLeftToRightMarkers(hstring_view number);
};
struct WINRT_EBO PhoneNumberInfo :
Windows::Globalization::PhoneNumberFormatting::IPhoneNumberInfo,
impl::require<PhoneNumberInfo, Windows::Foundation::IStringable>
{
PhoneNumberInfo(std::nullptr_t) noexcept {}
PhoneNumberInfo(hstring_view number);
static Windows::Globalization::PhoneNumberFormatting::PhoneNumberParseResult TryParse(hstring_view input, Windows::Globalization::PhoneNumberFormatting::PhoneNumberInfo & phoneNumber);
static Windows::Globalization::PhoneNumberFormatting::PhoneNumberParseResult TryParse(hstring_view input, hstring_view regionCode, Windows::Globalization::PhoneNumberFormatting::PhoneNumberInfo & phoneNumber);
};
}
}
| [
"stefan.dyulgerov@gmail.com"
] | stefan.dyulgerov@gmail.com |
d2c01afb7266e9d7acddab979fbccbf8622e4057 | 2c5957a2c68bad3085ce511e1ea73e9d7ff9449c | /lab3/zad05.cpp | e8faaa46a67155107f0a313cab5beaccfa780f3f | [] | no_license | AlexMaz99/WDI | 2f3d36501bf1691a35e4de0697c3b974145a0e72 | 1234ddd568bd2961c6f7650c64de8377273886ec | refs/heads/master | 2022-11-26T20:38:43.650632 | 2020-08-05T10:36:53 | 2020-08-05T10:36:53 | 281,486,251 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 560 | cpp | #include <iostream>
#include <cmath>
using namespace std;
int main() {
int n;
cin >> n;
long long int factorial = 1, nominator = 2, denominator = 1;
for (int i = 2; i <= 19; i++) {
factorial = factorial * i;
nominator = nominator * (factorial / denominator) + 1;
denominator = factorial;
}
cout << nominator / denominator << ".";
while (n > 0) {
nominator = nominator % denominator;
nominator = nominator * 10;
cout << nominator / denominator;
n--;
}
return 0;
}
| [
"ola_m10@onet.pl"
] | ola_m10@onet.pl |
64a084ad8777b3d9940654156571134bdedf2de6 | 6c40b92de13b247e682fe703899293b5e1e2d7a6 | /lightoj/1225/main.cpp | b7131ad11b1e65c9b67d33b5c00306fb90d6edbc | [] | no_license | ismdeep/ICPC | 8154e03c20d55f562acf95ace5a37126752bad2b | 2b661fdf5dc5899b2751de7d67fb26ccb6e24fc1 | refs/heads/master | 2020-04-16T17:44:24.296597 | 2016-07-08T02:59:01 | 2016-07-08T02:59:01 | 9,766,019 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 824 | cpp | /*
* Project : 1225
* File : main.cpp
* Author : iCoding
*
* Date & Time : Sun Aug 26 14:42:04 2012
*
*/
#include <iostream>
#include <cmath>
#include <cstdio>
#include <cstring>
#include <map>
#include <queue>
#include <set>
#include <algorithm>
using namespace std;
typedef long long int longint;
int main()
{
int iT;
scanf("%d", &iT);
for (int case_count = 1; case_count <= iT; case_count++)
{
cout << "Case " << case_count << ": ";
string s;
cin >> s;
bool yes = true;
for (int i = 0; yes && i <= s.length() - 1; i++)
{
if (s[i] != s[s.length() - i - 1])
{
yes = false;
}
}
if (yes)
{
cout << "Yes" << endl;
}
else
{
cout << "No" << endl;
}
}
return 0;
}
// end
// iCoding@CodeLab
//
| [
"izumu@ism.name"
] | izumu@ism.name |
d2673f6865577d6717bf1d8ff33ebac8ea9043bc | b59919a3d3bdf9876f17459427c4767b79687d17 | /Src/AI/DisjointSets.cpp | 8f3ca18ba1419c5eb52ac298cfd397bbd1e48de7 | [] | no_license | yarpee/DamnedSunset | a7fd113f7406e9a331d00611948690ceaa3d13b3 | 2de62f680cf1ba11d8fc5848c337818a9d7a6ebe | refs/heads/master | 2020-03-19T10:02:01.476681 | 2012-10-15T09:43:28 | 2012-10-15T09:43:28 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,425 | cpp | // Disjoint Set Data Structure
// Author: Emil Stefanov
// Date: 03/28/06
// Implementaton is as described in http://en.wikipedia.org/wiki/Disjoint-set_data_structure
// Released under the MIT License (http://www.opensource.org/licenses/mit-license.html)
#include <cassert>
#include "DisjointSets.h"
DisjointSets::DisjointSets()
{
m_numElements = 0;
m_numSets = 0;
}
DisjointSets::DisjointSets(int count)
{
m_numElements = 0;
m_numSets = 0;
AddElements(count);
}
DisjointSets::DisjointSets(const DisjointSets & s)
{
this->m_numElements = s.m_numElements;
this->m_numSets = s.m_numSets;
// Copy nodes
m_nodes.resize(m_numElements);
for(int i = 0; i < m_numElements; ++i)
m_nodes[i] = new Node(*s.m_nodes[i]);
// Update parent pointers to point to newly created nodes rather than the old ones
for(int i = 0; i < m_numElements; ++i)
if(m_nodes[i]->parent != NULL)
m_nodes[i]->parent = m_nodes[s.m_nodes[i]->parent->index];
}
DisjointSets::~DisjointSets()
{
for(int i = 0; i < m_numElements; ++i)
delete m_nodes[i];
m_nodes.clear();
m_numElements = 0;
m_numSets = 0;
}
// Note: some internal data is modified for optimization even though this method is consant.
int DisjointSets::FindSet(int elementId) const
{
assert(elementId < m_numElements);
Node* curNode;
// Find the root element that represents the set which `elementId` belongs to
curNode = m_nodes[elementId];
while(curNode->parent != NULL)
curNode = curNode->parent;
Node* root = curNode;
// Walk to the root, updating the parents of `elementId`. Make those elements the direct
// children of `root`. This optimizes the tree for future FindSet invokations.
curNode = m_nodes[elementId];
while(curNode != root)
{
Node* next = curNode->parent;
curNode->parent = root;
curNode = next;
}
return root->index;
}
void DisjointSets::Union(int setId1, int setId2)
{
assert(setId1 < m_numElements);
assert(setId2 < m_numElements);
if(setId1 == setId2)
return; // already unioned
Node* set1 = m_nodes[setId1];
Node* set2 = m_nodes[setId2];
// Determine which node representing a set has a higher rank. The node with the higher rank is
// likely to have a bigger subtree so in order to better balance the tree representing the
// union, the node with the higher rank is made the parent of the one with the lower rank and
// not the other way around.
if(set1->rank > set2->rank)
set2->parent = set1;
else if(set1->rank < set2->rank)
set1->parent = set2;
else // set1->rank == set2->rank
{
set2->parent = set1;
++set1->rank; // update rank
}
// Since two sets have fused into one, there is now one less set so update the set count.
--m_numSets;
}
void DisjointSets::AddElements(int numToAdd)
{
assert(numToAdd >= 0);
// insert and initialize the specified number of element nodes to the end of the `m_nodes` array
m_nodes.insert(m_nodes.end(), numToAdd, (Node*)NULL);
for(int i = m_numElements; i < m_numElements + numToAdd; ++i)
{
m_nodes[i] = new Node();
m_nodes[i]->parent = NULL;
m_nodes[i]->index = i;
m_nodes[i]->rank = 0;
}
// update element and set counts
m_numElements += numToAdd;
m_numSets += numToAdd;
}
int DisjointSets::NumElements() const
{
return m_numElements;
}
int DisjointSets::NumSets() const
{
return m_numSets;
}
| [
"isgallar@gmail.com"
] | isgallar@gmail.com |
c077d83857bd086bc31de2435e63ca371d55e4a2 | e2c96700c48a54889c817d056c9d1137cf31a3ec | /kursach/output.cpp | f5f05cad9477d2f87461c5e73ea669081922ec06 | [] | no_license | IvanCherepanov/kursach | 1949d5a536e0d933aaa271b855cabf45ba3e08b3 | cd6b48d4f868c9f721e7d4c86ee293d36ae8372c | refs/heads/master | 2023-05-09T08:47:46.437747 | 2021-05-28T20:52:15 | 2021-05-28T20:52:15 | 371,806,094 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 366 | cpp | #include "Output.h"
void Output::outputFile()
{
f.open("field.txt");
string str;
getline(f, str);
cout << str;
while (true) {
getline(f, str);
if (!f) break;
cout << endl<<str;
}
/*
getline(f, str);
cout << str;
while (getline(f,str)) {
cout << endl<<str;
}
*/
/*while (true)
{
f >>str;
if (!f)
break;
cout << str;
}*/
f.close();
}
| [
"iv.cherepanov@yandex.ru"
] | iv.cherepanov@yandex.ru |
c9d6fac938f4102ab0c6377dfb6730f95a31681a | 7af9c24bb6cea6e77c74990fbdf061bd03c0e779 | /src/Prim_mst.cpp | 1fe0827bde4c8bdd3054ed1128dcbd8322731747 | [] | no_license | dtbinh/sedgewick_cpp | abfca17d774f03cfde912fe5404770fad68a8628 | b488e5df2ad9c855aaaed66397c457dba55a4463 | refs/heads/master | 2023-03-16T09:11:31.240153 | 2017-08-23T23:39:20 | 2017-08-23T23:39:20 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,270 | cpp | #include "Prim_mst.h"
#include "Union_find.h"
Prim_mst::Prim_mst(Edge_weighted_graph& graph)
: _edge_to(static_cast<std::vector<Edge>::size_type>(graph.num_vertices())),
_distance_to(static_cast<std::vector<double>::size_type>(graph.num_vertices())),
_marked(static_cast<std::deque<bool>::size_type>(graph.num_vertices())),
_pq{graph.num_vertices()}
{
for (auto v = 0; v < graph.num_vertices(); ++v) {
_distance_to[v] = std::numeric_limits<double>::infinity();
}
for (auto v = 0; v < graph.num_vertices(); ++v) {
if (!_marked[v]) { _prim(graph, v); }
}
utility::alg_assert(_check(graph), "Prim_mst check failed after construction");
}
Queue<Edge> Prim_mst::edges()
{
Queue<Edge> mst;
for (auto v = 0; v < _edge_to.size(); ++v) {
Edge e = _edge_to[v];
if (e != nullptr) {
mst.enqueue(e);
}
}
return mst;
}
double Prim_mst::weight()
{
double weight{0.0};
for (auto e : edges()) {
weight += e.weight();
}
return weight;
}
void Prim_mst::_prim(Edge_weighted_graph& graph, int source)
{
_distance_to[source] = 0.0;
_pq.insert(source, _distance_to[source]);
int v;
while (!_pq.is_empty()) {
v = _pq.delMin();
_scan(graph, v);
}
}
void Prim_mst::_scan(Edge_weighted_graph& graph, int vertex)
{
_marked[vertex] = true;
for (auto e : graph.adjacent(vertex)) {
int w = e.other(vertex);
if (_marked[w]) { continue; }
if (e.weight() < _distance_to[w]) {
_distance_to[w] = e.weight();
_edge_to[w] = e;
if (_pq.contains(w)) { _pq.decreaseKey(w, _distance_to[w]); }
else { _pq.insert(w, _distance_to[w]); }
}
}
}
bool Prim_mst::_check(Edge_weighted_graph& graph)
{
double total_weight{0.0};
for (auto e : edges()) {
total_weight += e.weight();
}
if (std::abs(total_weight - weight()) > floating_point_epsilon) {
std::cerr << "Weight of edges does not equal weight(): " << total_weight << " vs. " << weight() << "\n";
return false;
}
Union_find uf{graph.num_vertices()};
int v;
int w;
for (auto e : edges()) {
v = e.either();
w = e.other(v);
if (uf.connected(v, w)) {
std::cerr << "Not a forest";
return false;
}
uf.create_union(v, w);
}
for (auto e : graph.edges()) {
v = e.either();
w = e.other(v);
if (!uf.connected(v, w)) {
std::cerr << "Not a spanning forest";
return false;
}
}
int x;
int y;
for (auto e : edges()) {
uf = Union_find{graph.num_vertices()};
for (auto f : edges()) {
x = f.either();
y = f.other(x);
if (f != e) { uf.create_union(x, y); }
}
for (auto f : graph.edges()) {
x = f.either();
y = f.other(x);
if (!uf.connected(x, y)) {
if (f.weight() < e.weight()) {
std::cerr << "Edge " << f << " violates cut optimality conditions";
return false;
}
}
}
}
return true;
}
| [
"timothyshull@gmail.com"
] | timothyshull@gmail.com |
6403804da4c8262ab42347bcb8e4e73afd1a093f | f5ef2adabb3b1fbc42a87f5b6ffda96929a42a1f | /src/test/zerocoin_transactions_tests.cpp | 9e6729f986945a5d1b5390817e4124f5bf5f157f | [
"MIT"
] | permissive | SocialNodeProtocol/smn-coin | 864026b6923a5318abb279514ded6e8443b9a6b6 | 8de65eac391751415a49ec54a62f7bc2296c9327 | refs/heads/master | 2020-06-04T08:14:25.678905 | 2019-06-21T07:32:27 | 2019-06-21T07:32:27 | 191,940,754 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,812 | cpp | // Copyright (c) 2012-2014 The Bitcoin Core developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "libzerocoin/Denominations.h"
#include "amount.h"
#include "chainparams.h"
#include "coincontrol.h"
#include "main.h"
#include "wallet.h"
#include "walletdb.h"
#include "txdb.h"
#include <boost/test/unit_test.hpp>
#include <iostream>
using namespace libzerocoin;
BOOST_AUTO_TEST_SUITE(zerocoin_transactions_tests)
static CWallet cWallet("unlocked.dat");
BOOST_AUTO_TEST_CASE(zerocoin_spend_test)
{
SelectParams(CBaseChainParams::MAIN);
ZerocoinParams *ZCParams = Params().Zerocoin_Params();
(void)ZCParams;
bool fFirstRun;
cWallet.LoadWallet(fFirstRun);
CMutableTransaction tx;
CWalletTx* wtx = new CWalletTx(&cWallet, tx);
bool fMintChange=true;
bool fMinimizeChange=true;
std::vector<CZerocoinSpend> vSpends;
std::vector<CZerocoinMint> vMints;
CAmount nAmount = COIN;
int nSecurityLevel = 100;
CZerocoinSpendReceipt receipt;
cWallet.SpendZerocoin(nAmount, nSecurityLevel, *wtx, receipt, vMints, fMintChange, fMinimizeChange);
BOOST_CHECK_MESSAGE(receipt.GetStatus() == ZSocialNode_TRX_FUNDS_PROBLEMS, "Failed Invalid Amount Check");
nAmount = 1;
CZerocoinSpendReceipt receipt2;
cWallet.SpendZerocoin(nAmount, nSecurityLevel, *wtx, receipt2, vMints, fMintChange, fMinimizeChange);
// if using "wallet.dat", instead of "unlocked.dat" need this
/// BOOST_CHECK_MESSAGE(vString == "Error: Wallet locked, unable to create transaction!"," Locked Wallet Check Failed");
BOOST_CHECK_MESSAGE(receipt2.GetStatus() == ZSocialNode_TRX_FUNDS_PROBLEMS, "Failed Invalid Amount Check");
}
BOOST_AUTO_TEST_SUITE_END()
| [
"nero@gmail.com"
] | nero@gmail.com |
df81dc48ef489fb67b6fdf905012d2d5e58c758d | 02f5d08f22ab59302275dd534317857485db1351 | /working_app/Il2CppOutputProject/Source/il2cppOutput/Bulk_UnityEngine.AIModule_0.cpp | f9bb092599724d87e509b2cd360f422687d3d817 | [
"MIT"
] | permissive | mckelly96/Holo-History | 8f557f8a73d4e6227ec008ae26385f949bf83f92 | 2c0b22dd58701b2979dfaeaac6717405df1f1a0a | refs/heads/master | 2020-04-26T06:54:34.495155 | 2019-04-03T00:50:28 | 2019-04-03T00:50:28 | 173,379,450 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 41,891 | cpp | #include "il2cpp-config.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <cstring>
#include <string.h>
#include <stdio.h>
#include <cmath>
#include <limits>
#include <assert.h>
#include <stdint.h>
#include "il2cpp-class-internals.h"
#include "codegen/il2cpp-codegen.h"
#include "il2cpp-object-internals.h"
struct VirtActionInvoker0
{
typedef void (*Action)(void*, const RuntimeMethod*);
static inline void Invoke (Il2CppMethodSlot slot, RuntimeObject* obj)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_virtual_invoke_data(slot, obj);
((Action)invokeData.methodPtr)(obj, invokeData.method);
}
};
struct GenericVirtActionInvoker0
{
typedef void (*Action)(void*, const RuntimeMethod*);
static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj)
{
VirtualInvokeData invokeData;
il2cpp_codegen_get_generic_virtual_invoke_data(method, obj, &invokeData);
((Action)invokeData.methodPtr)(obj, invokeData.method);
}
};
struct InterfaceActionInvoker0
{
typedef void (*Action)(void*, const RuntimeMethod*);
static inline void Invoke (Il2CppMethodSlot slot, RuntimeClass* declaringInterface, RuntimeObject* obj)
{
const VirtualInvokeData& invokeData = il2cpp_codegen_get_interface_invoke_data(slot, obj, declaringInterface);
((Action)invokeData.methodPtr)(obj, invokeData.method);
}
};
struct GenericInterfaceActionInvoker0
{
typedef void (*Action)(void*, const RuntimeMethod*);
static inline void Invoke (const RuntimeMethod* method, RuntimeObject* obj)
{
VirtualInvokeData invokeData;
il2cpp_codegen_get_generic_interface_invoke_data(method, obj, &invokeData);
((Action)invokeData.methodPtr)(obj, invokeData.method);
}
};
// System.AsyncCallback
struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4;
// System.Delegate
struct Delegate_t;
// System.DelegateData
struct DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE;
// System.Delegate[]
struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86;
// System.IAsyncResult
struct IAsyncResult_t8E194308510B375B42432981AE5E7488C458D598;
// System.Reflection.MethodInfo
struct MethodInfo_t;
// System.String
struct String_t;
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017;
// UnityEngine.AI.NavMesh/OnNavMeshPreUpdate
struct OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353;
// UnityEngine.AI.NavMeshAgent
struct NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB;
extern RuntimeClass* NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_il2cpp_TypeInfo_var;
extern const uint32_t NavMesh_Internal_CallOnNavMeshPreUpdate_mED6CAB94A6CB61A5FD547B7026DB4C96F2AF5B60_MetadataUsageId;
struct Delegate_t_marshaled_com;
struct Delegate_t_marshaled_pinvoke;
struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86;
#ifndef U3CMODULEU3E_T0D6B4C74FDBD279171DC0A75C631E11FDAA32C13_H
#define U3CMODULEU3E_T0D6B4C74FDBD279171DC0A75C631E11FDAA32C13_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <Module>
struct U3CModuleU3E_t0D6B4C74FDBD279171DC0A75C631E11FDAA32C13
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // U3CMODULEU3E_T0D6B4C74FDBD279171DC0A75C631E11FDAA32C13_H
#ifndef RUNTIMEOBJECT_H
#define RUNTIMEOBJECT_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Object
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEOBJECT_H
struct Il2CppArrayBounds;
#ifndef RUNTIMEARRAY_H
#define RUNTIMEARRAY_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Array
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // RUNTIMEARRAY_H
#ifndef VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#define VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF : public RuntimeObject
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_t4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_marshaled_com
{
};
#endif // VALUETYPE_T4D0C27076F7C36E76190FB3328E232BCB1CD1FFF_H
#ifndef NAVMESH_TA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_H
#define NAVMESH_TA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AI.NavMesh
struct NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A : public RuntimeObject
{
public:
public:
};
struct NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_StaticFields
{
public:
// UnityEngine.AI.NavMesh_OnNavMeshPreUpdate UnityEngine.AI.NavMesh::onPreUpdate
OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * ___onPreUpdate_0;
public:
inline static int32_t get_offset_of_onPreUpdate_0() { return static_cast<int32_t>(offsetof(NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_StaticFields, ___onPreUpdate_0)); }
inline OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * get_onPreUpdate_0() const { return ___onPreUpdate_0; }
inline OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 ** get_address_of_onPreUpdate_0() { return &___onPreUpdate_0; }
inline void set_onPreUpdate_0(OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * value)
{
___onPreUpdate_0 = value;
Il2CppCodeGenWriteBarrier((&___onPreUpdate_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NAVMESH_TA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_H
#ifndef INTPTR_T_H
#define INTPTR_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.IntPtr
struct IntPtr_t
{
public:
// System.Void* System.IntPtr::m_value
void* ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); }
inline void* get_m_value_0() const { return ___m_value_0; }
inline void** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(void* value)
{
___m_value_0 = value;
}
};
struct IntPtr_t_StaticFields
{
public:
// System.IntPtr System.IntPtr::Zero
intptr_t ___Zero_1;
public:
inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); }
inline intptr_t get_Zero_1() const { return ___Zero_1; }
inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; }
inline void set_Zero_1(intptr_t value)
{
___Zero_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // INTPTR_T_H
#ifndef VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#define VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void
struct Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017
{
public:
union
{
struct
{
};
uint8_t Void_t22962CB4C05B1D89B55A6E1139F0E87A90987017__padding[1];
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VOID_T22962CB4C05B1D89B55A6E1139F0E87A90987017_H
#ifndef VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#define VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector3
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720
{
public:
// System.Single UnityEngine.Vector3::x
float ___x_2;
// System.Single UnityEngine.Vector3::y
float ___y_3;
// System.Single UnityEngine.Vector3::z
float ___z_4;
public:
inline static int32_t get_offset_of_x_2() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___x_2)); }
inline float get_x_2() const { return ___x_2; }
inline float* get_address_of_x_2() { return &___x_2; }
inline void set_x_2(float value)
{
___x_2 = value;
}
inline static int32_t get_offset_of_y_3() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___y_3)); }
inline float get_y_3() const { return ___y_3; }
inline float* get_address_of_y_3() { return &___y_3; }
inline void set_y_3(float value)
{
___y_3 = value;
}
inline static int32_t get_offset_of_z_4() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720, ___z_4)); }
inline float get_z_4() const { return ___z_4; }
inline float* get_address_of_z_4() { return &___z_4; }
inline void set_z_4(float value)
{
___z_4 = value;
}
};
struct Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___zeroVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___oneVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___upVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___downVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___leftVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___rightVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___forwardVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___backVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___positiveInfinityVector_13;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___negativeInfinityVector_14;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___zeroVector_5)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___zeroVector_5 = value;
}
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___oneVector_6)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_oneVector_6() const { return ___oneVector_6; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___oneVector_6 = value;
}
inline static int32_t get_offset_of_upVector_7() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___upVector_7)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_upVector_7() const { return ___upVector_7; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_upVector_7() { return &___upVector_7; }
inline void set_upVector_7(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___upVector_7 = value;
}
inline static int32_t get_offset_of_downVector_8() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___downVector_8)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_downVector_8() const { return ___downVector_8; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_downVector_8() { return &___downVector_8; }
inline void set_downVector_8(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___downVector_8 = value;
}
inline static int32_t get_offset_of_leftVector_9() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___leftVector_9)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_leftVector_9() const { return ___leftVector_9; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_leftVector_9() { return &___leftVector_9; }
inline void set_leftVector_9(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___leftVector_9 = value;
}
inline static int32_t get_offset_of_rightVector_10() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___rightVector_10)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_rightVector_10() const { return ___rightVector_10; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_rightVector_10() { return &___rightVector_10; }
inline void set_rightVector_10(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___rightVector_10 = value;
}
inline static int32_t get_offset_of_forwardVector_11() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___forwardVector_11)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_forwardVector_11() const { return ___forwardVector_11; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_forwardVector_11() { return &___forwardVector_11; }
inline void set_forwardVector_11(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___forwardVector_11 = value;
}
inline static int32_t get_offset_of_backVector_12() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___backVector_12)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_backVector_12() const { return ___backVector_12; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_backVector_12() { return &___backVector_12; }
inline void set_backVector_12(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___backVector_12 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___positiveInfinityVector_13)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_positiveInfinityVector_13() const { return ___positiveInfinityVector_13; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_positiveInfinityVector_13() { return &___positiveInfinityVector_13; }
inline void set_positiveInfinityVector_13(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___positiveInfinityVector_13 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_14() { return static_cast<int32_t>(offsetof(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720_StaticFields, ___negativeInfinityVector_14)); }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 get_negativeInfinityVector_14() const { return ___negativeInfinityVector_14; }
inline Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * get_address_of_negativeInfinityVector_14() { return &___negativeInfinityVector_14; }
inline void set_negativeInfinityVector_14(Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 value)
{
___negativeInfinityVector_14 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // VECTOR3_TDCF05E21F632FE2BA260C06E0D10CA81513E6720_H
#ifndef DELEGATE_T_H
#define DELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Delegate
struct Delegate_t : public RuntimeObject
{
public:
// System.IntPtr System.Delegate::method_ptr
Il2CppMethodPointer ___method_ptr_0;
// System.IntPtr System.Delegate::invoke_impl
intptr_t ___invoke_impl_1;
// System.Object System.Delegate::m_target
RuntimeObject * ___m_target_2;
// System.IntPtr System.Delegate::method
intptr_t ___method_3;
// System.IntPtr System.Delegate::delegate_trampoline
intptr_t ___delegate_trampoline_4;
// System.IntPtr System.Delegate::extra_arg
intptr_t ___extra_arg_5;
// System.IntPtr System.Delegate::method_code
intptr_t ___method_code_6;
// System.Reflection.MethodInfo System.Delegate::method_info
MethodInfo_t * ___method_info_7;
// System.Reflection.MethodInfo System.Delegate::original_method_info
MethodInfo_t * ___original_method_info_8;
// System.DelegateData System.Delegate::data
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
// System.Boolean System.Delegate::method_is_virtual
bool ___method_is_virtual_10;
public:
inline static int32_t get_offset_of_method_ptr_0() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_ptr_0)); }
inline Il2CppMethodPointer get_method_ptr_0() const { return ___method_ptr_0; }
inline Il2CppMethodPointer* get_address_of_method_ptr_0() { return &___method_ptr_0; }
inline void set_method_ptr_0(Il2CppMethodPointer value)
{
___method_ptr_0 = value;
}
inline static int32_t get_offset_of_invoke_impl_1() { return static_cast<int32_t>(offsetof(Delegate_t, ___invoke_impl_1)); }
inline intptr_t get_invoke_impl_1() const { return ___invoke_impl_1; }
inline intptr_t* get_address_of_invoke_impl_1() { return &___invoke_impl_1; }
inline void set_invoke_impl_1(intptr_t value)
{
___invoke_impl_1 = value;
}
inline static int32_t get_offset_of_m_target_2() { return static_cast<int32_t>(offsetof(Delegate_t, ___m_target_2)); }
inline RuntimeObject * get_m_target_2() const { return ___m_target_2; }
inline RuntimeObject ** get_address_of_m_target_2() { return &___m_target_2; }
inline void set_m_target_2(RuntimeObject * value)
{
___m_target_2 = value;
Il2CppCodeGenWriteBarrier((&___m_target_2), value);
}
inline static int32_t get_offset_of_method_3() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_3)); }
inline intptr_t get_method_3() const { return ___method_3; }
inline intptr_t* get_address_of_method_3() { return &___method_3; }
inline void set_method_3(intptr_t value)
{
___method_3 = value;
}
inline static int32_t get_offset_of_delegate_trampoline_4() { return static_cast<int32_t>(offsetof(Delegate_t, ___delegate_trampoline_4)); }
inline intptr_t get_delegate_trampoline_4() const { return ___delegate_trampoline_4; }
inline intptr_t* get_address_of_delegate_trampoline_4() { return &___delegate_trampoline_4; }
inline void set_delegate_trampoline_4(intptr_t value)
{
___delegate_trampoline_4 = value;
}
inline static int32_t get_offset_of_extra_arg_5() { return static_cast<int32_t>(offsetof(Delegate_t, ___extra_arg_5)); }
inline intptr_t get_extra_arg_5() const { return ___extra_arg_5; }
inline intptr_t* get_address_of_extra_arg_5() { return &___extra_arg_5; }
inline void set_extra_arg_5(intptr_t value)
{
___extra_arg_5 = value;
}
inline static int32_t get_offset_of_method_code_6() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_code_6)); }
inline intptr_t get_method_code_6() const { return ___method_code_6; }
inline intptr_t* get_address_of_method_code_6() { return &___method_code_6; }
inline void set_method_code_6(intptr_t value)
{
___method_code_6 = value;
}
inline static int32_t get_offset_of_method_info_7() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_info_7)); }
inline MethodInfo_t * get_method_info_7() const { return ___method_info_7; }
inline MethodInfo_t ** get_address_of_method_info_7() { return &___method_info_7; }
inline void set_method_info_7(MethodInfo_t * value)
{
___method_info_7 = value;
Il2CppCodeGenWriteBarrier((&___method_info_7), value);
}
inline static int32_t get_offset_of_original_method_info_8() { return static_cast<int32_t>(offsetof(Delegate_t, ___original_method_info_8)); }
inline MethodInfo_t * get_original_method_info_8() const { return ___original_method_info_8; }
inline MethodInfo_t ** get_address_of_original_method_info_8() { return &___original_method_info_8; }
inline void set_original_method_info_8(MethodInfo_t * value)
{
___original_method_info_8 = value;
Il2CppCodeGenWriteBarrier((&___original_method_info_8), value);
}
inline static int32_t get_offset_of_data_9() { return static_cast<int32_t>(offsetof(Delegate_t, ___data_9)); }
inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * get_data_9() const { return ___data_9; }
inline DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE ** get_address_of_data_9() { return &___data_9; }
inline void set_data_9(DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * value)
{
___data_9 = value;
Il2CppCodeGenWriteBarrier((&___data_9), value);
}
inline static int32_t get_offset_of_method_is_virtual_10() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_is_virtual_10)); }
inline bool get_method_is_virtual_10() const { return ___method_is_virtual_10; }
inline bool* get_address_of_method_is_virtual_10() { return &___method_is_virtual_10; }
inline void set_method_is_virtual_10(bool value)
{
___method_is_virtual_10 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Delegate
struct Delegate_t_marshaled_pinvoke
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
int32_t ___method_is_virtual_10;
};
// Native definition for COM marshalling of System.Delegate
struct Delegate_t_marshaled_com
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t1BF9F691B56DAE5F8C28C5E084FDE94F15F27BBE * ___data_9;
int32_t ___method_is_virtual_10;
};
#endif // DELEGATE_T_H
#ifndef OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#define OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Object::m_CachedPtr
intptr_t ___m_CachedPtr_0;
public:
inline static int32_t get_offset_of_m_CachedPtr_0() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0, ___m_CachedPtr_0)); }
inline intptr_t get_m_CachedPtr_0() const { return ___m_CachedPtr_0; }
inline intptr_t* get_address_of_m_CachedPtr_0() { return &___m_CachedPtr_0; }
inline void set_m_CachedPtr_0(intptr_t value)
{
___m_CachedPtr_0 = value;
}
};
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields
{
public:
// System.Int32 UnityEngine.Object::OffsetOfInstanceIDInCPlusPlusObject
int32_t ___OffsetOfInstanceIDInCPlusPlusObject_1;
public:
inline static int32_t get_offset_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return static_cast<int32_t>(offsetof(Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_StaticFields, ___OffsetOfInstanceIDInCPlusPlusObject_1)); }
inline int32_t get_OffsetOfInstanceIDInCPlusPlusObject_1() const { return ___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline int32_t* get_address_of_OffsetOfInstanceIDInCPlusPlusObject_1() { return &___OffsetOfInstanceIDInCPlusPlusObject_1; }
inline void set_OffsetOfInstanceIDInCPlusPlusObject_1(int32_t value)
{
___OffsetOfInstanceIDInCPlusPlusObject_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_pinvoke
{
intptr_t ___m_CachedPtr_0;
};
// Native definition for COM marshalling of UnityEngine.Object
struct Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_marshaled_com
{
intptr_t ___m_CachedPtr_0;
};
#endif // OBJECT_TAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0_H
#ifndef MULTICASTDELEGATE_T_H
#define MULTICASTDELEGATE_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.MulticastDelegate
struct MulticastDelegate_t : public Delegate_t
{
public:
// System.Delegate[] System.MulticastDelegate::delegates
DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* ___delegates_11;
public:
inline static int32_t get_offset_of_delegates_11() { return static_cast<int32_t>(offsetof(MulticastDelegate_t, ___delegates_11)); }
inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* get_delegates_11() const { return ___delegates_11; }
inline DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86** get_address_of_delegates_11() { return &___delegates_11; }
inline void set_delegates_11(DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* value)
{
___delegates_11 = value;
Il2CppCodeGenWriteBarrier((&___delegates_11), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_pinvoke : public Delegate_t_marshaled_pinvoke
{
Delegate_t_marshaled_pinvoke** ___delegates_11;
};
// Native definition for COM marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_com : public Delegate_t_marshaled_com
{
Delegate_t_marshaled_com** ___delegates_11;
};
#endif // MULTICASTDELEGATE_T_H
#ifndef COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#define COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Component
struct Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621 : public Object_tAE11E5E46CD5C37C9F3E8950C00CD8B45666A2D0
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // COMPONENT_T05064EF382ABCAF4B8C94F8A350EA85184C26621_H
#ifndef ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#define ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.AsyncCallback
struct AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ASYNCCALLBACK_T3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4_H
#ifndef ONNAVMESHPREUPDATE_TA3A16B3CAFF83530076BF839EA5699AAAD6C6353_H
#define ONNAVMESHPREUPDATE_TA3A16B3CAFF83530076BF839EA5699AAAD6C6353_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AI.NavMesh_OnNavMeshPreUpdate
struct OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 : public MulticastDelegate_t
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // ONNAVMESHPREUPDATE_TA3A16B3CAFF83530076BF839EA5699AAAD6C6353_H
#ifndef BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#define BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Behaviour
struct Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8 : public Component_t05064EF382ABCAF4B8C94F8A350EA85184C26621
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // BEHAVIOUR_TBDC7E9C3C898AD8348891B82D3E345801D920CA8_H
#ifndef NAVMESHAGENT_TD93BAD8854B394AA1D372193F21154E94CA84BEB_H
#define NAVMESHAGENT_TD93BAD8854B394AA1D372193F21154E94CA84BEB_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AI.NavMeshAgent
struct NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB : public Behaviour_tBDC7E9C3C898AD8348891B82D3E345801D920CA8
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // NAVMESHAGENT_TD93BAD8854B394AA1D372193F21154E94CA84BEB_H
// System.Delegate[]
struct DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86 : public RuntimeArray
{
public:
ALIGN_FIELD (8) Delegate_t * m_Items[1];
public:
inline Delegate_t * GetAt(il2cpp_array_size_t index) const
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items[index];
}
inline Delegate_t ** GetAddressAt(il2cpp_array_size_t index)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
return m_Items + index;
}
inline void SetAt(il2cpp_array_size_t index, Delegate_t * value)
{
IL2CPP_ARRAY_BOUNDS_CHECK(index, (uint32_t)(this)->max_length);
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
inline Delegate_t * GetAtUnchecked(il2cpp_array_size_t index) const
{
return m_Items[index];
}
inline Delegate_t ** GetAddressAtUnchecked(il2cpp_array_size_t index)
{
return m_Items + index;
}
inline void SetAtUnchecked(il2cpp_array_size_t index, Delegate_t * value)
{
m_Items[index] = value;
Il2CppCodeGenWriteBarrier(m_Items + index, value);
}
};
// System.Void UnityEngine.AI.NavMesh/OnNavMeshPreUpdate::Invoke()
extern "C" IL2CPP_METHOD_ATTR void OnNavMeshPreUpdate_Invoke_mE56CD30B200FECFD94AD4B22923B32BD789D70F0 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, const RuntimeMethod* method);
// System.Void UnityEngine.AI.NavMeshAgent::INTERNAL_set_destination(UnityEngine.Vector3&)
extern "C" IL2CPP_METHOD_ATTR void NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062 (NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method);
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void UnityEngine.AI.NavMesh::Internal_CallOnNavMeshPreUpdate()
extern "C" IL2CPP_METHOD_ATTR void NavMesh_Internal_CallOnNavMeshPreUpdate_mED6CAB94A6CB61A5FD547B7026DB4C96F2AF5B60 (const RuntimeMethod* method)
{
static bool s_Il2CppMethodInitialized;
if (!s_Il2CppMethodInitialized)
{
il2cpp_codegen_initialize_method (NavMesh_Internal_CallOnNavMeshPreUpdate_mED6CAB94A6CB61A5FD547B7026DB4C96F2AF5B60_MetadataUsageId);
s_Il2CppMethodInitialized = true;
}
{
OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * L_0 = ((NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_StaticFields*)il2cpp_codegen_static_fields_for(NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_il2cpp_TypeInfo_var))->get_onPreUpdate_0();
if (!L_0)
{
goto IL_0015;
}
}
{
OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * L_1 = ((NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_StaticFields*)il2cpp_codegen_static_fields_for(NavMesh_tA4816D7EDC559C21816DEAE4EBD002CAC8B7330A_il2cpp_TypeInfo_var))->get_onPreUpdate_0();
NullCheck(L_1);
OnNavMeshPreUpdate_Invoke_mE56CD30B200FECFD94AD4B22923B32BD789D70F0(L_1, /*hidden argument*/NULL);
}
IL_0015:
{
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
extern "C" void DelegatePInvokeWrapper_OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, const RuntimeMethod* method)
{
typedef void (DEFAULT_CALL *PInvokeFunc)();
PInvokeFunc il2cppPInvokeFunc = reinterpret_cast<PInvokeFunc>(il2cpp_codegen_get_method_pointer(((RuntimeDelegate*)__this)->method));
// Native function invocation
il2cppPInvokeFunc();
}
// System.Void UnityEngine.AI.NavMesh_OnNavMeshPreUpdate::.ctor(System.Object,System.IntPtr)
extern "C" IL2CPP_METHOD_ATTR void OnNavMeshPreUpdate__ctor_mD019C429BD8D299B85C320A6EFB2FFEDC3F85F42 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, RuntimeObject * ___object0, intptr_t ___method1, const RuntimeMethod* method)
{
__this->set_method_ptr_0(il2cpp_codegen_get_method_pointer((RuntimeMethod*)___method1));
__this->set_method_3(___method1);
__this->set_m_target_2(___object0);
}
// System.Void UnityEngine.AI.NavMesh_OnNavMeshPreUpdate::Invoke()
extern "C" IL2CPP_METHOD_ATTR void OnNavMeshPreUpdate_Invoke_mE56CD30B200FECFD94AD4B22923B32BD789D70F0 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, const RuntimeMethod* method)
{
DelegateU5BU5D_tDFCDEE2A6322F96C0FE49AF47E9ADB8C4B294E86* delegatesToInvoke = __this->get_delegates_11();
if (delegatesToInvoke != NULL)
{
il2cpp_array_size_t length = delegatesToInvoke->max_length;
for (il2cpp_array_size_t i = 0; i < length; i++)
{
Delegate_t* currentDelegate = (delegatesToInvoke)->GetAtUnchecked(static_cast<il2cpp_array_size_t>(i));
Il2CppMethodPointer targetMethodPointer = currentDelegate->get_method_ptr_0();
RuntimeMethod* targetMethod = (RuntimeMethod*)(currentDelegate->get_method_3());
RuntimeObject* targetThis = currentDelegate->get_m_target_2();
if (!il2cpp_codegen_method_is_virtual(targetMethod))
{
il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found(targetMethod);
}
bool ___methodIsStatic = MethodIsStatic(targetMethod);
int ___parameterCount = il2cpp_codegen_method_parameter_count(targetMethod);
if (___methodIsStatic)
{
if (___parameterCount == 0)
{
// open
typedef void (*FunctionPointerType) (const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetMethod);
}
else
{
// closed
typedef void (*FunctionPointerType) (void*, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod);
}
}
else
{
// closed
if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (il2cpp_codegen_method_is_generic_instance(targetMethod))
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
GenericInterfaceActionInvoker0::Invoke(targetMethod, targetThis);
else
GenericVirtActionInvoker0::Invoke(targetMethod, targetThis);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis);
else
VirtActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis);
}
}
}
else
{
typedef void (*FunctionPointerType) (void*, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod);
}
}
}
}
else
{
Il2CppMethodPointer targetMethodPointer = __this->get_method_ptr_0();
RuntimeMethod* targetMethod = (RuntimeMethod*)(__this->get_method_3());
RuntimeObject* targetThis = __this->get_m_target_2();
if (!il2cpp_codegen_method_is_virtual(targetMethod))
{
il2cpp_codegen_raise_execution_engine_exception_if_method_is_not_found(targetMethod);
}
bool ___methodIsStatic = MethodIsStatic(targetMethod);
int ___parameterCount = il2cpp_codegen_method_parameter_count(targetMethod);
if (___methodIsStatic)
{
if (___parameterCount == 0)
{
// open
typedef void (*FunctionPointerType) (const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetMethod);
}
else
{
// closed
typedef void (*FunctionPointerType) (void*, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod);
}
}
else
{
// closed
if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (il2cpp_codegen_method_is_virtual(targetMethod) && !il2cpp_codegen_object_is_of_sealed_type(targetThis) && il2cpp_codegen_delegate_has_invoker((Il2CppDelegate*)__this))
{
if (il2cpp_codegen_method_is_generic_instance(targetMethod))
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
GenericInterfaceActionInvoker0::Invoke(targetMethod, targetThis);
else
GenericVirtActionInvoker0::Invoke(targetMethod, targetThis);
}
else
{
if (il2cpp_codegen_method_is_interface_method(targetMethod))
InterfaceActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), il2cpp_codegen_method_get_declaring_type(targetMethod), targetThis);
else
VirtActionInvoker0::Invoke(il2cpp_codegen_method_get_slot(targetMethod), targetThis);
}
}
}
else
{
typedef void (*FunctionPointerType) (void*, const RuntimeMethod*);
((FunctionPointerType)targetMethodPointer)(targetThis, targetMethod);
}
}
}
}
// System.IAsyncResult UnityEngine.AI.NavMesh_OnNavMeshPreUpdate::BeginInvoke(System.AsyncCallback,System.Object)
extern "C" IL2CPP_METHOD_ATTR RuntimeObject* OnNavMeshPreUpdate_BeginInvoke_m67FA7767274E77169A57ADFE041EA9B914E752C6 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, AsyncCallback_t3F3DA3BEDAEE81DD1D24125DF8EB30E85EE14DA4 * ___callback0, RuntimeObject * ___object1, const RuntimeMethod* method)
{
void *__d_args[1] = {0};
return (RuntimeObject*)il2cpp_codegen_delegate_begin_invoke((RuntimeDelegate*)__this, __d_args, (RuntimeDelegate*)___callback0, (RuntimeObject*)___object1);
}
// System.Void UnityEngine.AI.NavMesh_OnNavMeshPreUpdate::EndInvoke(System.IAsyncResult)
extern "C" IL2CPP_METHOD_ATTR void OnNavMeshPreUpdate_EndInvoke_mB55765702AA123A6D7C3DF8DDC597E3DEBC79836 (OnNavMeshPreUpdate_tA3A16B3CAFF83530076BF839EA5699AAAD6C6353 * __this, RuntimeObject* ___result0, const RuntimeMethod* method)
{
il2cpp_codegen_delegate_end_invoke((Il2CppAsyncResult*) ___result0, 0);
}
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Void UnityEngine.AI.NavMeshAgent::set_destination(UnityEngine.Vector3)
extern "C" IL2CPP_METHOD_ATTR void NavMeshAgent_set_destination_m006DABA697BAB705D68EE7208171C0230EB644D7 (NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 ___value0, const RuntimeMethod* method)
{
{
NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062(__this, (Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *)(&___value0), /*hidden argument*/NULL);
return;
}
}
// System.Void UnityEngine.AI.NavMeshAgent::INTERNAL_set_destination(UnityEngine.Vector3U26)
extern "C" IL2CPP_METHOD_ATTR void NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062 (NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB * __this, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 * ___value0, const RuntimeMethod* method)
{
typedef void (*NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062_ftn) (NavMeshAgent_tD93BAD8854B394AA1D372193F21154E94CA84BEB *, Vector3_tDCF05E21F632FE2BA260C06E0D10CA81513E6720 *);
static NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062_ftn _il2cpp_icall_func;
if (!_il2cpp_icall_func)
_il2cpp_icall_func = (NavMeshAgent_INTERNAL_set_destination_mDB486A686711112A3E48FE9BADEA5744EADEF062_ftn)il2cpp_codegen_resolve_icall ("UnityEngine.AI.NavMeshAgent::INTERNAL_set_destination(UnityEngine.Vector3&)");
_il2cpp_icall_func(__this, ___value0);
}
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"spacebirdrise@gmail.com"
] | spacebirdrise@gmail.com |
72af2cb1b49689e7069989f2e3c064ba79530dc7 | 425963de819e446a75441ff901adbfe5f1c5dea6 | /ash/assistant/ui/dialog_plate/mic_view.h | 2ac945d38923aa5512e74a6142643cfab73d884f | [
"BSD-3-Clause"
] | permissive | Igalia/chromium | 06590680bcc074cf191979c496d84888dbb54df6 | 261db3a6f6a490742786cf841afa92e02a53b33f | refs/heads/ozone-wayland-dev | 2022-12-06T16:31:09.335901 | 2019-12-06T21:11:21 | 2019-12-06T21:11:21 | 85,595,633 | 123 | 25 | NOASSERTION | 2019-02-05T08:04:47 | 2017-03-20T15:45:36 | null | UTF-8 | C++ | false | false | 2,004 | h | // Copyright 2018 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 ASH_ASSISTANT_UI_DIALOG_PLATE_MIC_VIEW_H_
#define ASH_ASSISTANT_UI_DIALOG_PLATE_MIC_VIEW_H_
#include "ash/assistant/model/assistant_interaction_model_observer.h"
#include "ash/assistant/ui/base/assistant_button.h"
#include "base/component_export.h"
#include "base/macros.h"
namespace ash {
enum class AssistantButtonId;
class AssistantViewDelegate;
class BaseLogoView;
// A stateful view belonging to DialogPlate which indicates current user input
// modality and delivers notification of press events.
class COMPONENT_EXPORT(ASSISTANT_UI) MicView
: public AssistantButton,
public AssistantInteractionModelObserver {
public:
MicView(views::ButtonListener* listener,
AssistantViewDelegate* delegate,
AssistantButtonId button_id);
~MicView() override;
// AssistantButton:
const char* GetClassName() const override;
gfx::Size CalculatePreferredSize() const override;
int GetHeightForWidth(int width) const override;
// AssistantInteractionModelObserver:
void OnMicStateChanged(MicState mic_state) override;
void OnSpeechLevelChanged(float speech_level_db) override;
private:
void InitLayout();
// If |animate| is false, there is no exit animation of current state and
// enter animation of the next state of the LogoView. Note that |animate| will
// only take effect if Assistant UI is visible. Otherwise, we proceed
// immediately to the next state regardless of |animate|.
void UpdateState(bool animate);
AssistantViewDelegate* const delegate_;
BaseLogoView* voice_action_view_; // Owned by view hierarchy.
// True when speech level goes above a threshold and sets LogoView in
// kUserSpeaks state.
bool is_user_speaking_ = false;
DISALLOW_COPY_AND_ASSIGN(MicView);
};
} // namespace ash
#endif // ASH_ASSISTANT_UI_DIALOG_PLATE_MIC_VIEW_H_
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
47229b7d61974d853944b13466cf6c67161ecb24 | 0233477eeb6d785b816ee017cf670e2830bdd209 | /SDK/SoT_dvr_sea_rock_cluster_b_classes.hpp | c8af3483b164736411c3bf2cc78bc2b5cffbf3af | [] | no_license | compy-art/SoT-SDK | a568d346de3771734d72463fc9ad159c1e1ad41f | 6eb86840a2147c657dcd7cff9af58b382e72c82a | refs/heads/master | 2020-04-17T02:33:02.207435 | 2019-01-13T20:55:42 | 2019-01-13T20:55:42 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,906 | hpp | #pragma once
// Sea of Thieves (1.4) SDK
#ifdef _MSC_VER
#pragma pack(push, 0x8)
#endif
#include "SoT_dvr_sea_rock_cluster_b_structs.hpp"
namespace SDK
{
//---------------------------------------------------------------------------
//Classes
//---------------------------------------------------------------------------
// BlueprintGeneratedClass dvr_sea_rock_cluster_b.dvr_sea_rock_cluster_b_C
// 0x0060 (0x04F0 - 0x0490)
class Advr_sea_rock_cluster_b_C : public AActor
{
public:
class UStaticMeshComponent* wld_rock_xlarge_04_a; // 0x0490(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* wld_rock_xlarge_02_a; // 0x0498(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent08; // 0x04A0(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent07; // 0x04A8(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent0; // 0x04B0(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent05; // 0x04B8(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent04; // 0x04C0(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent03; // 0x04C8(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent01; // 0x04D0(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent06; // 0x04D8(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class UStaticMeshComponent* StaticMeshComponent02; // 0x04E0(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
class USceneComponent* SharedRoot; // 0x04E8(0x0008) (BlueprintVisible, ZeroConstructor, IsPlainOldData)
static UClass* StaticClass()
{
static auto ptr = UObject::FindObject<UClass>("BlueprintGeneratedClass dvr_sea_rock_cluster_b.dvr_sea_rock_cluster_b_C");
return ptr;
}
void UserConstructionScript();
};
}
#ifdef _MSC_VER
#pragma pack(pop)
#endif
| [
"igromanru@yahoo.de"
] | igromanru@yahoo.de |
6586c325b680b13a8d3476d9bf787f99d1761165 | 91e8b8ab4bf8d9c7d0d646028b5c28a541f50c03 | /X/main.cpp | e8e2457901df4b363520acefd05da0b06f110e8d | [] | no_license | mrcse/Print-English-Alphabet-in-Stars-in-Cpp | 1ed4b359e145e727ab63c31364024be4b30671b7 | 1abbf1e5a55643cdcfa3033c92a31be916e2316a | refs/heads/main | 2023-02-25T00:59:37.439055 | 2021-01-30T14:31:01 | 2021-01-30T14:31:01 | 334,431,322 | 6 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 305 | cpp | #include <iostream>
using namespace std;
int main()
{
for(int i=1;i<=12;i++)
{
for(int j=1;j<=12;j++)
{
if(i==j || j==13-i)
cout<<"**";
else
cout<<" ";
}
cout<<"\n";
}
return 0;
}
| [
"noreply@github.com"
] | noreply@github.com |
c70c5be8065c31c665a62bc7904d42c8d6cb785c | b148d8082d0ba3df28a4631030c267945b2e8624 | /src/Server/World/World.Unit/TestThreatList.cpp | 6cd2ce3eb5fb61ff250e558e19347db860d6588e | [] | no_license | vividos/MultiplayerOnlineGame | eff8d816ffdef03d3c1781a677ec712c847636cd | cc9b0963fa1ad80428efcfd4bcf4e8d45d22176e | refs/heads/master | 2020-05-18T16:46:36.682075 | 2019-10-25T21:51:29 | 2019-10-30T08:21:30 | 10,821,789 | 1 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 7,072 | cpp | //
// MultiplayerOnlineGame - multiplayer game project
// Copyright (C) 2008-2014 Michael Fink
//
/// \file TestThreatList.cpp Unit tests for class ThreatList
//
// includes
#include "stdafx.h"
#include "Object.hpp"
#include "ThreatList.hpp"
using namespace Microsoft::VisualStudio::CppUnitTestFramework;
namespace UnitTest
{
const signed int c_uiPositiveThreat = 100;
const signed int c_uiNegativeThreatBig = -125;
const signed int c_uiNegativeThreatSmall = -75;
/// tests class ThreatList
TEST_CLASS(TestThreatList)
{
public:
TestThreatList()
:m_id(ObjectId::New()),
m_id2(ObjectId::New())
{
}
/// tests default ctor
TEST_METHOD(TestDefaultCtor)
{
ThreatList t1, t2;
}
/// tests Add() function, new entry
TEST_METHOD(TestAddNewEntry)
{
ThreatList t;
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
}
/// tests Add() function, updating entry
TEST_METHOD(TestAddUpdateEntry)
{
ThreatList t;
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
enOutcome = t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListNothing);
}
/// tests Add() function, removing entry again
TEST_METHOD(TestAddRemoveByAdd)
{
ThreatList t;
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
enOutcome = t.Add(m_id, c_uiNegativeThreatBig);
Assert::IsTrue(enOutcome == ThreatList::threatListRemoved);
}
/// tests Add() function, not removing entry again
TEST_METHOD(TestAddNotRemoveEntry)
{
ThreatList t;
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
enOutcome = t.Add(m_id, c_uiNegativeThreatSmall);
Assert::IsTrue(enOutcome == ThreatList::threatListNothing);
}
/// tests Add() function, removing entry and then trying to remove again
TEST_METHOD(TestAddRemoveRemoveAgain)
{
ThreatList t;
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
enOutcome = t.Add(m_id, c_uiNegativeThreatBig);
Assert::IsTrue(enOutcome == ThreatList::threatListRemoved);
enOutcome = t.Add(m_id, c_uiNegativeThreatSmall);
Assert::IsTrue(enOutcome == ThreatList::threatListNothing);
}
/// tests IsInList() function with Add() and removing during second Add() call
TEST_METHOD(TestAddRemoveByAddNegative)
{
ThreatList t;
Assert::IsTrue(false == t.IsInList(m_id));
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
t.Add(m_id, c_uiNegativeThreatBig);
Assert::IsTrue(false == t.IsInList(m_id));
}
/// tests IsInList() function with Add() and Remove() call
TEST_METHOD(TestIsInListAddRemoveOneEntry)
{
ThreatList t;
Assert::IsTrue(false == t.IsInList(m_id));
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
t.Remove(m_id);
Assert::IsTrue(false == t.IsInList(m_id));
}
/// tests IsInList() function with Add() and Remove() call
TEST_METHOD(TestIsInListAddRemoveTwoEntries)
{
ThreatList t;
Assert::IsTrue(false == t.IsInList(m_id));
Assert::IsTrue(false == t.IsInList(m_id2));
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
Assert::IsTrue(false == t.IsInList(m_id2));
t.Add(m_id2, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
Assert::IsTrue(true == t.IsInList(m_id2));
t.Remove(m_id);
Assert::IsTrue(false == t.IsInList(m_id));
Assert::IsTrue(true == t.IsInList(m_id2));
}
/// tests IsInList() function with Add() and RemoveAll() call
TEST_METHOD(TestIsInListAddRemoveAll)
{
ThreatList t;
Assert::IsTrue(false == t.IsInList(m_id));
Assert::IsTrue(false == t.IsInList(m_id2));
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
Assert::IsTrue(false == t.IsInList(m_id2));
t.Add(m_id2, c_uiPositiveThreat);
Assert::IsTrue(true == t.IsInList(m_id));
Assert::IsTrue(true == t.IsInList(m_id2));
t.RemoveAll();
Assert::IsTrue(false == t.IsInList(m_id));
Assert::IsTrue(false == t.IsInList(m_id2));
}
/// tests Add() function, not changing order
TEST_METHOD(TestAddAddNoReorder)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id2, c_uiPositiveThreat-10);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
}
/// tests Add() function, changing order
TEST_METHOD(TestAddAddReorder)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
ThreatList::T_enThreatListOutcome enOutcome =
t.Add(m_id2, c_uiPositiveThreat+10);
Assert::IsTrue(enOutcome == ThreatList::threatListAdded);
}
/// tests Add() function, changing order by update, second is moved to first place
TEST_METHOD(TestAddReorderFirstToSecond)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
t.Add(m_id2, c_uiPositiveThreat+10);
ThreatList::T_enThreatListOutcome enOutcome = t.Add(m_id, 11);
Assert::IsTrue(enOutcome == ThreatList::threatListOrderChanged);
}
/// tests Add() function, changing order by update, first is moved to second place
TEST_METHOD(TestAddReorderSecondToFirst)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
t.Add(m_id2, c_uiPositiveThreat+10);
ThreatList::T_enThreatListOutcome enOutcome = t.Add(m_id2, -11);
Assert::IsTrue(enOutcome == ThreatList::threatListOrderChanged);
}
/// tests Top() function, not changing order
TEST_METHOD(TestTopNoReorder)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(t.Top() == m_id);
t.Add(m_id2, c_uiPositiveThreat-10);
Assert::IsTrue(t.Top() == m_id);
}
/// tests Top() function, changing order
TEST_METHOD(TestTopReorder)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(t.Top() == m_id);
t.Add(m_id2, c_uiPositiveThreat+10);
Assert::IsTrue(t.Top() == m_id2);
}
/// tests Top() function, ordering of two entries with same threat
TEST_METHOD(TestTopReorderSameThreat)
{
ThreatList t;
t.Add(m_id, c_uiPositiveThreat);
Assert::IsTrue(t.Top() == m_id);
t.Add(m_id2, c_uiPositiveThreat);
Assert::IsTrue(t.Top() == m_id2); // last one should win
}
private:
ObjectId m_id;
ObjectId m_id2;
};
} // namespace UnitTest
| [
"michael.fink@asamnet.de"
] | michael.fink@asamnet.de |
d78244cbffe6a49d191f03b8247dcc6dcdc137a2 | 1dbf007249acad6038d2aaa1751cbde7e7842c53 | /rds/include/huaweicloud/rds/v3/model/CreatePostgresqlDatabaseSchemaRequest.h | 616e8adc1a3f7941a4c4768446877c9d8e9fab7c | [] | permissive | huaweicloud/huaweicloud-sdk-cpp-v3 | 24fc8d93c922598376bdb7d009e12378dff5dd20 | 71674f4afbb0cd5950f880ec516cfabcde71afe4 | refs/heads/master | 2023-08-04T19:37:47.187698 | 2023-08-03T08:25:43 | 2023-08-03T08:25:43 | 324,328,641 | 11 | 10 | Apache-2.0 | 2021-06-24T07:25:26 | 2020-12-25T09:11:43 | C++ | UTF-8 | C++ | false | false | 2,243 | h |
#ifndef HUAWEICLOUD_SDK_RDS_V3_MODEL_CreatePostgresqlDatabaseSchemaRequest_H_
#define HUAWEICLOUD_SDK_RDS_V3_MODEL_CreatePostgresqlDatabaseSchemaRequest_H_
#include <huaweicloud/rds/v3/RdsExport.h>
#include <huaweicloud/core/utils/ModelBase.h>
#include <huaweicloud/core/http/HttpResponse.h>
#include <string>
#include <huaweicloud/rds/v3/model/PostgresqlDatabaseSchemaReq.h>
namespace HuaweiCloud {
namespace Sdk {
namespace Rds {
namespace V3 {
namespace Model {
using namespace HuaweiCloud::Sdk::Core::Utils;
using namespace HuaweiCloud::Sdk::Core::Http;
/// <summary>
/// Request Object
/// </summary>
class HUAWEICLOUD_RDS_V3_EXPORT CreatePostgresqlDatabaseSchemaRequest
: public ModelBase
{
public:
CreatePostgresqlDatabaseSchemaRequest();
virtual ~CreatePostgresqlDatabaseSchemaRequest();
/////////////////////////////////////////////
/// ModelBase overrides
void validate() override;
web::json::value toJson() const override;
bool fromJson(const web::json::value& json) override;
/////////////////////////////////////////////
/// CreatePostgresqlDatabaseSchemaRequest members
/// <summary>
/// 语言
/// </summary>
std::string getXLanguage() const;
bool xLanguageIsSet() const;
void unsetxLanguage();
void setXLanguage(const std::string& value);
/// <summary>
/// 实例ID。
/// </summary>
std::string getInstanceId() const;
bool instanceIdIsSet() const;
void unsetinstanceId();
void setInstanceId(const std::string& value);
/// <summary>
///
/// </summary>
PostgresqlDatabaseSchemaReq getBody() const;
bool bodyIsSet() const;
void unsetbody();
void setBody(const PostgresqlDatabaseSchemaReq& value);
protected:
std::string xLanguage_;
bool xLanguageIsSet_;
std::string instanceId_;
bool instanceIdIsSet_;
PostgresqlDatabaseSchemaReq body_;
bool bodyIsSet_;
#ifdef RTTR_FLAG
RTTR_ENABLE()
public:
CreatePostgresqlDatabaseSchemaRequest& dereference_from_shared_ptr(std::shared_ptr<CreatePostgresqlDatabaseSchemaRequest> ptr) {
return *ptr;
}
#endif
};
}
}
}
}
}
#endif // HUAWEICLOUD_SDK_RDS_V3_MODEL_CreatePostgresqlDatabaseSchemaRequest_H_
| [
"hwcloudsdk@huawei.com"
] | hwcloudsdk@huawei.com |
49cc87c92ccf5ee9ab56490c962779dba742fc49 | f3832f84bb0b48727a6179446ad7776a10ae7576 | /src/poker/game/states/DrawRound.h | 7407f99e38b6c7cf17f4846290ccb0d840750bf9 | [] | no_license | abznt/Assignment12 | e3995748fdd239db2bc4af6be3a016e93c77ef03 | 6efb58e3a0148a5b53fcd238fb56625ca651a441 | refs/heads/master | 2023-01-22T03:57:34.825787 | 2020-12-07T03:36:16 | 2020-12-07T03:36:16 | 316,819,020 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 320 | h | #ifndef ASSIGNMENT12_DRAWROUND_H
#define ASSIGNMENT12_DRAWROUND_H
#include "game/PokerGame.h"
#include "game/states/IState.h"
class DrawRound : public IState
{
private:
PokerGame* m_game;
public:
explicit DrawRound(PokerGame* game);
void processTurn() override;
};
#endif // ASSIGNMENT12_DRAWROUND_H
| [
"wbergen4@jh.edu"
] | wbergen4@jh.edu |
1961f3ec189c20eea246de75bd6e69f3d05d66f2 | af5b987965be6775cbf562284f7430aa7e988298 | /src/YAKL_LinearAllocator.h | 7fcfd8ab1dacbe09f37de2183793825217c81c5e | [
"BSD-2-Clause"
] | permissive | mrnorman/YAKL | 88d5658a50dd589f777bdaa2b94b3a4665c3d96e | da305cf6866e4754e5ce73337dcd34a3909dd24f | refs/heads/main | 2023-08-30T10:19:36.979127 | 2023-07-12T12:10:08 | 2023-07-12T12:10:08 | 183,716,254 | 44 | 14 | BSD-2-Clause | 2023-09-12T21:39:42 | 2019-04-27T01:55:06 | C++ | UTF-8 | C++ | false | false | 11,598 | h |
#pragma once
// Included by YAKL_Gator.h
__YAKL_NAMESPACE_WRAPPER_BEGIN__
namespace yakl {
// This class encapsulates a single "pool"
/** @private */
class LinearAllocator {
public:
// Describes a single allocation entry
struct AllocNode {
size_t start; // Offset of this allocation in "blocks"
size_t length; // Length of this allocation in "blocks"
char const * label; // Label for this allocation
AllocNode() {
this->start = 0;
this->length = 0;
this->label = "";
}
AllocNode( size_t start , size_t length , char const * label ) {
this->start = start;
this->length = length;
this->label = label;
}
};
std::string pool_name;
void *pool; // Raw pool pointer
size_t nBlocks; // Number of blocks in the pool
unsigned blockSize; // Size of each block in bytes
unsigned blockInc; // Number of size_t in each block
std::vector<AllocNode> allocs; // List of allocations
std::function<void *( size_t )> mymalloc; // allocation function
std::function<void( void * )> myfree; // free function
std::function<void( void *, size_t )> myzero; // zero function
LinearAllocator() { nullify(); }
LinearAllocator( size_t bytes ,
unsigned blockSize = 16*sizeof(size_t) ,
std::function<void *( size_t )> mymalloc = [] (size_t bytes) -> void * { return ::malloc(bytes); } ,
std::function<void( void * )> myfree = [] (void *ptr) { ::free(ptr); } ,
std::function<void( void *, size_t )> myzero = [] (void *ptr, size_t bytes) {} ,
std::string pool_name = "Gator" ,
std::string error_message_out_of_memory = "" ) {
nullify();
#ifdef YAKL_VERBOSE
if (bytes >= 1024*1024*1024) {
verbose_inform(std::string("Creating pool of ")+std::to_string(bytes/1024./1024./1024.)+" GB" , pool_name);
} else if (bytes >= 1024*1024) {
verbose_inform(std::string("Creating pool of ")+std::to_string(bytes/1024./1024. )+" MB" , pool_name);
} else if (bytes >= 1024) {
verbose_inform(std::string("Creating pool of ")+std::to_string(bytes/1024. )+" KB" , pool_name);
} else {
verbose_inform(std::string("Creating pool of ")+std::to_string(bytes )+" B" , pool_name);
}
#endif
if (blockSize%(2*sizeof(size_t)) != 0) {
std::cerr << "ERROR: Pool labeled \"" << pool_name << "\" -> LinearAllocator:" << std::endl;
die("Error: LinearAllocator blockSize must be a multiple of 2*sizeof(size_t)");
}
this->blockSize = blockSize;
this->blockInc = blockSize / sizeof(size_t); // In two routines, I cast void * to size_t * for arithmetic
// Therefore, blockInc is the number of size_t in a block
this->nBlocks = (bytes-1) / blockSize + 1;
this->mymalloc = mymalloc;
this->myfree = myfree ;
this->myzero = myzero ;
this->pool = mymalloc( poolSize() );
this->allocs = std::vector<AllocNode>();
this->allocs.reserve(128); // Make sure there is initial room for 128 entries
this->pool_name = pool_name;
if (pool == nullptr) {
std::cerr << "ERROR: Pool labeled \"" << pool_name << "\" -> LinearAllocator:" << std::endl;
std::cerr << "Could not create pool of size " << bytes << " bytes (" << bytes/1024./1024./1024. << " GB)."
<< "\nYou have run out of memory." << std::endl;
std::cerr << "When individual variables consume sizable percentages of a pool, memory gets segmented, and "
<< "the pool space isn't used efficiently. \nLarger pools will improve that. So try increasing the "
<< "size of the initial pool and maybe the grow size as well. \nIn the extreme, you could create "
<< "an initial pool that consumes most of the avialable memory. \nIf that still doesn't work, then "
<< "it sounds like you're choosing a problem size that's too large for the number of compute "
<< "nodes you're using.\n";
die( error_message_out_of_memory );
}
this->myzero( pool , poolSize() );
}
// Allow the pool to be moved, but not copied
LinearAllocator( LinearAllocator && rhs) {
this->pool = rhs.pool ;
this->nBlocks = rhs.nBlocks ;
this->blockSize = rhs.blockSize;
this->blockInc = rhs.blockInc ;
this->allocs = rhs.allocs ;
this->mymalloc = rhs.mymalloc ;
this->myfree = rhs.myfree ;
this->myzero = rhs.myzero ;
this->pool_name = rhs.pool_name;
rhs.nullify();
}
LinearAllocator &operator =( LinearAllocator && rhs) {
if (this == &rhs) { return *this; }
this->finalize();
this->pool = rhs.pool ;
this->nBlocks = rhs.nBlocks ;
this->blockSize = rhs.blockSize;
this->blockInc = rhs.blockInc ;
this->allocs = rhs.allocs ;
this->mymalloc = rhs.mymalloc ;
this->myfree = rhs.myfree ;
this->myzero = rhs.myzero ;
this->pool_name = rhs.pool_name;
rhs.nullify();
return *this;
}
LinearAllocator( LinearAllocator const &rhs ) = delete;
LinearAllocator &operator=( LinearAllocator const &rhs ) = delete;
~LinearAllocator() {
if (pool != nullptr) {
verbose_inform("Destroying pool" , pool_name);
}
finalize();
}
void nullify() {
this->pool = nullptr;
this->nBlocks = 0;
this->blockSize = 0;
this->blockInc = 0;
this->allocs = std::vector<AllocNode>();
this->mymalloc = [] (size_t bytes) -> void * { return ::malloc(bytes); };
this->myfree = [] (void *ptr) { ::free(ptr); };
this->myzero = [] (void *ptr, size_t bytes) {};
}
void finalize() {
if (allocs.size() != 0) {
#if defined(YAKL_DEBUG)
std::cerr << "WARNING: Pool labeled \"" << pool_name << "\" -> LinearAllocator:" << std::endl;
std::cerr << "WARNING: Not all allocations were deallocated before destroying this pool.\n" << std::endl;
printAllocsLeft();
std::cerr << "This probably won't end well, but carry on.\n" << std::endl;
#endif
}
if (this->pool != nullptr) { myfree( this->pool ); }
nullify();
}
// Mostly for debug purposes. Print all existing allocations
void printAllocsLeft() {
if (allocs.size() != 0) {
std::cerr << "The following allocations have not been deallocated:" << std::endl;
for (int i=0; i < allocs.size(); i++) {
std::cerr << "*** Label: " << allocs[i].label
<< " ; size: " << allocs[i].length*blockSize
<< " bytes ; offset: " << allocs[i].start*blockSize
<< " bytes ; ptr: " << getPtr(allocs[i].start) << std::endl;
}
}
}
// Allocate the requested number of bytes if there is room for it.
// If there isn't room or bytes == 0, then nullptr is returned.
// Otherwise, the correct pointer is returned
void * allocate(size_t bytes, char const * label="") {
if (bytes == 0) {
return nullptr;
}
size_t blocksReq = (bytes-1)/blockSize + 1; // Number of blocks needed for this allocation
// If there are no allocations, then place this allocaiton at the beginning.
if (allocs.empty()) {
if (nBlocks >= blocksReq) {
allocs.push_back( AllocNode( (size_t) 0 , blocksReq , label ) );
return pool;
}
} else {
// Look for room before the first allocation
if ( allocs.front().start >= blocksReq ) {
allocs.insert( allocs.begin() , AllocNode( 0 , blocksReq , label ) );
return getPtr(allocs[0].start);
}
// Loop through the allocations and look for free space between this and the next
for (int i=0; i < allocs.size()-1; i++) {
if ( allocs[i+1].start - (allocs[i].start + allocs[i].length) >= blocksReq ) {
allocs.insert( allocs.begin()+i+1 , AllocNode( allocs[i].start+allocs[i].length , blocksReq , label ) );
return getPtr(allocs[i+1].start);
}
}
// Look for room after the last allocation
if ( nBlocks - (allocs.back().start + allocs.back().length) >= blocksReq ) {
allocs.push_back( AllocNode( allocs.back().start + allocs.back().length , blocksReq , label ) );
return getPtr(allocs.back().start);
}
}
// Return nullptr if there was no room for the allocation
// If the caller used "iGotRoom", then this should never actually happen
return nullptr;
};
// Free the requested pointer
// Returns the number of bytes in the allocation being freed
size_t free(void *ptr, char const * label = "") {
for (int i=allocs.size()-1; i >= 0; i--) {
if (ptr == getPtr(allocs[i].start)) {
size_t bytes = allocs[i].length*blockSize;
allocs.erase(allocs.begin()+i);
return bytes;
}
}
std::cerr << "ERROR: Pool labeled \"" << pool_name << "\" -> LinearAllocator:" << std::endl;
std::cerr << "Trying to free an invalid pointer.\n";
die("This means you have either already freed the pointer, or its address has been corrupted somehow.");
return 0;
};
// Determine if there is room for an allocation of the requested number of bytes
bool iGotRoom( size_t bytes ) const {
size_t blocksReq = (bytes-1)/blockSize + 1; // Number of blocks needed for this allocation
if (allocs.empty()) {
if (nBlocks >= blocksReq) { return true; }
} else {
// Look for room before the first allocation
if ( allocs.front().start >= blocksReq ) { return true; }
// Loop through the allocations and look for free space between this and the next
for (int i=0; i < allocs.size()-1; i++) {
if ( allocs[i+1].start - (allocs[i].start + allocs[i].length) >= blocksReq ) { return true; }
}
// Look for room after the last allocation
if ( nBlocks - (allocs.back().start + allocs.back().length) >= blocksReq ) { return true; }
}
return false;
}
// Determine if the requested pointer belongs to this pool
bool thisIsMyPointer(void *ptr) const {
long long offset = ( (size_t *) ptr - (size_t *) pool ) / blockInc;
return (offset >= 0 && offset <= nBlocks-1);
}
bool initialized() const { return pool != nullptr; }
size_t poolSize() const { return nBlocks*blockSize; }
size_t numAllocs() const { return allocs.size(); }
// Transform a block index into a memory pointer
void * getPtr( size_t blockIndex ) const {
return (void *) ( ( (size_t *) pool ) + blockIndex*blockInc );
}
void die(std::string str="") {
std::cerr << str << std::endl;
throw std::runtime_error(str);
}
};
}
__YAKL_NAMESPACE_WRAPPER_END__
| [
"normanmr@ornl.gov"
] | normanmr@ornl.gov |
ede8937a0336191a0e6d5f70abd61d4e49a0191b | 682a576b5bfde9cf914436ea1b3d6ec7e879630a | /components/document/src/rich_text/common/RTDrawerRequest.cc | ffce23f1ec00c50b3b3a2d21dbbe51b019f57898 | [
"MIT",
"BSD-3-Clause"
] | permissive | SBKarr/stappler | 6dc914eb4ce45dc8b1071a5822a0f0ba63623ae5 | 4392852d6a92dd26569d9dc1a31e65c3e47c2e6a | refs/heads/master | 2023-04-09T08:38:28.505085 | 2023-03-25T15:37:47 | 2023-03-25T15:37:47 | 42,354,380 | 10 | 3 | null | 2017-04-14T10:53:27 | 2015-09-12T11:16:09 | C++ | UTF-8 | C++ | false | false | 15,129 | cc | /**
Copyright (c) 2018 Roman Katuntsev <sbkarr@stappler.org>
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 "RTDrawerRequest.h"
#include "RTDrawer.h"
#include "SPThread.h"
#include "SPTextureCache.h"
NS_RT_BEGIN
constexpr uint16_t ImageFillerWidth = 312;
constexpr uint16_t ImageFillerHeight = 272;
constexpr auto ImageFillerData = R"ImageFillerSvg(<svg xmlns="http://www.w3.org/2000/svg" height="272" width="312" version="1.1">
<rect x="0" y="0" width="312" height="272" opacity="0.25"/>
<g transform="translate(0 -780.4)">
<path d="m104 948.4h104l-32-56-24 32-16-12zm-32-96v128h168v-128h-168zm16 16h136v96h-136v-96zm38 20a10 10 0 0 1 -10 10 10 10 0 0 1 -10 -10 10 10 0 0 1 10 -10 10 10 0 0 1 10 10z" fill-rule="evenodd" fill="#ccc"/>
</g>
</svg>)ImageFillerSvg";
constexpr uint16_t ImageVideoWidth = 128;
constexpr uint16_t ImageVideoHeight = 128;
constexpr auto ImageVideoData = R"ImageVideoData(<svg xmlns="http://www.w3.org/2000/svg" height="128" width="128" version="1.1">
<circle cx="64" cy="64" r="64"/>
<path fill="#fff" d="m96.76 64-51.96 30v-60z"/>
</svg>)ImageVideoData";
constexpr float ImageVideoSize = 72.0f;
Rc<cocos2d::Texture2D> Request::make(Drawer *drawer, CommonSource *source, Result *result) {
Request req;
req.init(drawer, source, result, Rect(Vec2(0.0f, 0.0f), result->getContentSize()), nullptr, nullptr);
return TextureCache::getInstance()->performWithGL([&] {
return req.makeTexture();
});
}
// draw normal texture
bool Request::init(Drawer *drawer, CommonSource *source, Result *result, const Rect &rect, const Callback &cb, cocos2d::Ref *ref) {
_rect = rect;
_density = result->getMedia().density;
_drawer = drawer;
_source = source;
_result = result;
_ref = ref;
_callback = cb;
_width = (uint16_t)ceilf(_rect.size.width * _result->getMedia().density);
_height = (uint16_t)ceilf(_rect.size.height * _result->getMedia().density);
return true;
}
// draw thumbnail texture, where scale < 1.0f - resample coef
bool Request::init(Drawer *drawer, CommonSource *source, Result *result, const Rect &rect, float scale, const Callback &cb, cocos2d::Ref *ref) {
_rect = rect;
_scale = scale;
_density = result->getMedia().density * scale;
_isThumbnail = true;
_drawer = drawer;
_source = source;
_result = result;
_ref = ref;
_callback = cb;
_width = (uint16_t)ceilf(_rect.size.width * _result->getMedia().density * _scale);
_height = (uint16_t)ceilf(_rect.size.height * _result->getMedia().density * _scale);
return true;
}
void Request::run() {
_source->retainReadLock(this, std::bind(&Request::onAssetCaptured, this));
}
Rc<cocos2d::Texture2D> Request::makeTexture() {
_font = _source->getSource();
_font->unschedule();
auto tex = Rc<cocos2d::Texture2D>::create(cocos2d::Texture2D::PixelFormat::RGBA8888, _width, _height, cocos2d::Texture2D::RenderTarget);
draw( tex );
return tex;
}
void Request::onAssetCaptured() {
if (!_source->isActual()) {
if (_callback) {
_callback(nullptr);
}
_source->releaseReadLock(this);
return;
}
_font = _source->getSource();
_font->unschedule();
_networkAssets = _source->getExternalAssets();
Rc<cocos2d::Texture2D> *ptr = new Rc<cocos2d::Texture2D>(nullptr);
TextureCache::thread().perform([this, ptr] (const thread::Task &) -> bool {
TextureCache::getInstance()->performWithGL([&] {
*ptr = makeTexture();
});
return true;
}, [this, ptr] (const thread::Task &, bool) {
onDrawed(*ptr);
_source->releaseReadLock(this);
delete ptr;
}, this);
}
static Size Request_getBitmapSize(const Rect &bbox, const Background &bg, uint32_t w, uint32_t h) {
Size coverSize, containSize;
const float coverRatio = std::max(bbox.size.width / w, bbox.size.height / h);
const float containRatio = std::min(bbox.size.width / w, bbox.size.height / h);
coverSize = Size(w * coverRatio, h * coverRatio);
containSize = Size(w * containRatio, h * containRatio);
float boxWidth = 0.0f, boxHeight = 0.0f;
switch (bg.backgroundSizeWidth.metric) {
case layout::style::Metric::Units::Contain: boxWidth = containSize.width; break;
case layout::style::Metric::Units::Cover: boxWidth = coverSize.width; break;
case layout::style::Metric::Units::Percent: boxWidth = bbox.size.width * bg.backgroundSizeWidth.value; break;
case layout::style::Metric::Units::Px: boxWidth = bg.backgroundSizeWidth.value; break;
default: boxWidth = bbox.size.width; break;
}
switch (bg.backgroundSizeHeight.metric) {
case layout::style::Metric::Units::Contain: boxHeight = containSize.height; break;
case layout::style::Metric::Units::Cover: boxHeight = coverSize.height; break;
case layout::style::Metric::Units::Percent: boxHeight = bbox.size.height * bg.backgroundSizeHeight.value; break;
case layout::style::Metric::Units::Px: boxHeight = bg.backgroundSizeHeight.value; break;
default: boxHeight = bbox.size.height; break;
}
if (bg.backgroundSizeWidth.metric == layout::style::Metric::Units::Auto
&& bg.backgroundSizeHeight.metric == layout::style::Metric::Units::Auto) {
boxWidth = w;
boxHeight = h;
} else if (bg.backgroundSizeWidth.metric == layout::style::Metric::Units::Auto) {
boxWidth = boxHeight * ((float)w / (float)h);
} else if (bg.backgroundSizeHeight.metric == layout::style::Metric::Units::Auto) {
boxHeight = boxWidth * ((float)h / (float)w);
}
return Size(boxWidth, boxHeight);
}
void Request::prepareBackgroundImage(const Rect &bbox, const Background &bg) {
bool success = false;
auto &src = bg.backgroundImage;
if (_source->isFileExists(src)) {
auto size = _source->getImageSize(src);
Size bmpSize = Request_getBitmapSize(bbox, bg, size.first, size.second);
if (!bmpSize.equals(Size::ZERO)) {
auto bmp = _drawer->getBitmap(src, bmpSize);
if (!bmp) {
Bytes bmpSource = _source->getImageData(src);
if (!bmpSource.empty()) {
success = true;
auto tex = TextureCache::uploadTexture(bmpSource, bmpSize, _density);
_drawer->addBitmap(src, tex, bmpSize);
}
}
}
}
if (!success) {
Size bmpSize = Request_getBitmapSize(bbox, bg, ImageFillerWidth, ImageFillerHeight);
auto bmp = _drawer->getBitmap("system://filler.svg", bmpSize);
if (!bmp && !bmpSize.equals(Size::ZERO)) {
Bytes bmpSource = Bytes((uint8_t *)ImageFillerData, (uint8_t *)(ImageFillerData + strlen(ImageFillerData)));
auto tex = TextureCache::uploadTexture(bmpSource, bmpSize, _density);
_drawer->addBitmap("system://filler.svg", tex, bmpSize);
}
}
}
void Request::draw(cocos2d::Texture2D *data) {
Vector<const Object *> drawObjects;
auto &objs = _result->getObjects();
for (auto &obj : objs) {
if (obj->bbox.intersectsRect(_rect)) {
drawObjects.push_back(obj);
if (obj->type == Object::Type::Label) {
auto l = obj->asLabel();
for (auto &it : l->format.ranges) {
_font->addTextureChars(l->format.source->getFontName(it.layout), l->format.chars, it.start, it.count);
}
} else if (obj->type == Object::Type::Background && !_isThumbnail) {
auto bg = obj->asBackground();
if (!bg->background.backgroundImage.empty()) {
prepareBackgroundImage(obj->bbox, bg->background);
}
}
}
}
for (auto &obj : _result->getRefs()) {
if (obj->bbox.intersectsRect(_rect) && obj->type == Object::Type::Ref) {
auto link = obj->asLink();
if (link->mode == "video" && !_isThumbnail) {
drawObjects.push_back(obj);
float size = (obj->bbox.size.width > ImageVideoSize && obj->bbox.size.height > ImageVideoSize)
? ImageVideoSize : (std::min(obj->bbox.size.width, obj->bbox.size.height));
Size texSize(size, size);
Bytes bmpSource = Bytes((uint8_t *)ImageVideoData, (uint8_t *)(ImageVideoData + strlen(ImageVideoData)));
auto tex = TextureCache::uploadTexture(bmpSource, texSize, _density);
_drawer->addBitmap("system://video.svg", tex, texSize);
}
}
}
if (_font->isDirty()) {
_font->update(0.0f);
}
if (!_isThumbnail) {
auto bg = _result->getBackgroundColor();
if (bg.a == 0) {
bg.r = 255;
bg.g = 255;
bg.b = 255;
}
if (!_drawer->begin(data, bg, _density)) {
return;
}
} else {
if (!_drawer->begin(data, Color4B(0, 0, 0, 0), _density)) {
return;
}
}
std::sort(drawObjects.begin(), drawObjects.end(), [] (const Object *l, const Object *r) -> bool {
if (l->depth != r->depth) {
return l->depth < r->depth;
} else if (l->type != r->type) {
return toInt(l->type) < toInt(r->type);
} else {
return l->index < r->index;
}
});
for (auto &obj : drawObjects) {
drawObject(*obj);
}
_drawer->end();
}
Rect Request::getRect(const Rect &rect) const {
return Rect(
(rect.origin.x - _rect.origin.x) * _density,
(rect.origin.y - _rect.origin.y) * _density,
rect.size.width * _density,
rect.size.height * _density);
}
void Request::drawRef(const Rect &bbox, const Link &l) {
if (_isThumbnail) {
return;
}
if (l.mode == "video") {
float size = (bbox.size.width > ImageVideoSize && bbox.size.height > ImageVideoSize)
? ImageVideoSize : (std::min(bbox.size.width, bbox.size.height));
auto bmp = _drawer->getBitmap("system://video.svg", Size(size, size));
if (bmp) {
auto targetBbox = getRect(bbox);
Rect drawBbox;
if (size == ImageVideoSize) {
drawBbox = Rect(targetBbox.origin.x, targetBbox.origin.y, ImageVideoSize * _density, ImageVideoSize * _density);
drawBbox.origin.x += (targetBbox.size.width - drawBbox.size.width) / 2.0f;
drawBbox.origin.y += (targetBbox.size.height - drawBbox.size.height) / 2.0f;
}
_drawer->setColor(Color4B(255, 255, 255, 160));
_drawer->drawTexture(drawBbox, bmp, Rect(0, 0, bmp->getPixelsWide(), bmp->getPixelsHigh()));
}
}
if (_highlightRefs) {
drawRectangle(bbox, Color4B(127, 255, 0, 64));
}
}
void Request::drawPath(const Rect &bbox, const layout::Path &path) {
if (_isThumbnail) {
return;
}
Rect rect(
(bbox.origin.x - _rect.origin.x),
(_rect.size.height - bbox.origin.y - bbox.size.height + _rect.origin.y),
bbox.size.width * _density,
bbox.size.height * _density);
_drawer->drawPath(rect, path);
}
void Request::drawRectangle(const Rect &bbox, const Color4B &color) {
layout::Path path; path.reserve(5, 1);
path.setFillColor(color);
path.addRect(0.0f, 0.0f, bbox.size.width, bbox.size.height);
drawPath(bbox, path);
}
void Request::drawBitmap(const Rect &origBbox, cocos2d::Texture2D *bmp, const Background &bg, const Size &box) {
Rect bbox = origBbox;
const auto w = bmp->getPixelsWide();
const auto h = bmp->getPixelsHigh();
float availableWidth = bbox.size.width - box.width, availableHeight = bbox.size.height - box.height;
float xOffset = 0.0f, yOffset = 0.0f;
switch (bg.backgroundPositionX.metric) {
case layout::style::Metric::Units::Percent: xOffset = availableWidth * bg.backgroundPositionX.value; break;
case layout::style::Metric::Units::Px: xOffset = bg.backgroundPositionX.value; break;
default: xOffset = availableWidth / 2.0f; break;
}
switch (bg.backgroundPositionY.metric) {
case layout::style::Metric::Units::Percent: yOffset = availableHeight * bg.backgroundPositionY.value; break;
case layout::style::Metric::Units::Px: yOffset = bg.backgroundPositionY.value; break;
default: yOffset = availableHeight / 2.0f; break;
}
Rect contentBox(0, 0, w, h);
if (box.width < bbox.size.width) {
bbox.size.width = box.width;
bbox.origin.x += xOffset;
} else if (box.width > bbox.size.width) {
contentBox.size.width = bbox.size.width * w / box.width;
contentBox.origin.x -= xOffset * (w / box.width);
}
if (box.height < bbox.size.height) {
bbox.size.height = box.height;
bbox.origin.y += yOffset;
} else if (box.height > bbox.size.height) {
contentBox.size.height = bbox.size.height * h / box.height;
contentBox.origin.y -= yOffset * (h / box.height);
}
bbox = getRect(bbox);
_drawer->drawTexture(bbox, bmp, contentBox);
}
void Request::drawFillerImage(const Rect &bbox, const Background &bg) {
auto box = Request_getBitmapSize(bbox, bg, ImageFillerWidth, ImageFillerHeight);
auto bmp = _drawer->getBitmap("system://filler.svg", box);
if (bmp) {
drawBitmap(bbox, bmp, bg, box);
}
}
void Request::drawBackgroundImage(const Rect &bbox, const Background &bg) {
auto &src = bg.backgroundImage;
bool success = false;
if (_source->isFileExists(src)) {
auto size = _source->getImageSize(src);
Size box = Request_getBitmapSize(bbox, bg, size.first, size.second);
auto bmp = _drawer->getBitmap(src, box);
if (bmp) {
_drawer->setColor(Color4B(layout::Color(_result->getBackgroundColor()).text(), 255));
drawBitmap(bbox, bmp, bg, box);
success = true;
}
}
if (!success && !src.empty() && bbox.size.width > 0.0f && bbox.size.height > 0.0f) {
_drawer->setColor(Color4B(168, 168, 168, 255));
drawFillerImage(bbox, bg);
}
}
void Request::drawBackgroundColor(const Rect &bbox, const Background &bg) {
drawRectangle(bbox, bg.backgroundColor);
}
void Request::drawBackground(const Rect &bbox, const Background &bg) {
if (_isThumbnail) {
drawRectangle(bbox, Color4B(127, 127, 127, 127));
return;
}
if (bg.backgroundColor.a != 0) {
drawBackgroundColor(bbox, bg);
}
if (!bg.backgroundImage.empty()) {
drawBackgroundImage(bbox, bg);
}
}
void Request::drawLabel(const cocos2d::Rect &bbox, const Label &l) {
if (l.format.chars.empty()) {
return;
}
if (_isThumbnail) {
_drawer->setColor(Color4B(127, 127, 127, 127));
_drawer->drawCharRects(_font, l.format, getRect(bbox), _scale);
} else {
if (l.preview) {
_drawer->setColor(Color4B(127, 127, 127, 127));
_drawer->drawCharRects(_font, l.format, getRect(bbox), 1.0f);
} else {
_drawer->drawChars(_font, l.format, getRect(bbox));
}
}
}
void Request::drawObject(const Object &obj) {
switch (obj.type) {
case Object::Type::Background: drawBackground(obj.bbox, obj.asBackground()->background); break;
case Object::Type::Label: drawLabel(obj.bbox, *obj.asLabel()); break;
case Object::Type::Path: drawPath(obj.bbox, obj.asPath()->path); break;
case Object::Type::Ref: drawRef(obj.bbox, *obj.asLink()); break;
default: break;
}
}
void Request::onDrawed(cocos2d::Texture2D *data) {
if (data && _callback) {
_callback(data);
}
}
NS_RT_END
| [
"sbkarr@stappler.org"
] | sbkarr@stappler.org |
f755bbe0120858a513d223a402ba640bb3b7f853 | b22588340d7925b614a735bbbde1b351ad657ffc | /athena/Tracking/TrkDetDescr/TrkDetDescrInterfaces/TrkDetDescrInterfaces/ISurfaceBuilder.h | e7cb1481f12c3e53a03cf9b2e9c923daff493e40 | [] | no_license | rushioda/PIXELVALID_athena | 90befe12042c1249cbb3655dde1428bb9b9a42ce | 22df23187ef85e9c3120122c8375ea0e7d8ea440 | refs/heads/master | 2020-12-14T22:01:15.365949 | 2020-01-19T03:59:35 | 2020-01-19T03:59:35 | 234,836,993 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,520 | h | /*
Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration
*/
///////////////////////////////////////////////////////////////////
// ISurfaceBuilder.h, (c) ATLAS Detector software
///////////////////////////////////////////////////////////////////
#ifndef TRKDETDESCRINTERFACES_ILAYERBUILDER_H
#define TRKDETDESCRINTERFACES_ILAYERBUILDER_H
// Gaudi
#include "GaudiKernel/IAlgTool.h"
// STL
#include <vector>
#include <string>
namespace Trk {
class Surface;
/** Interface ID for ISurfaceBuilders*/
static const InterfaceID IID_ISurfaceBuilder("ISurfaceBuilder", 1, 0);
/** @class ISurfaceBuilder
Interface class ISurfaceBuilders
It inherits from IAlgTool. The actual implementation of the AlgTool depends on the SubDetector,
more detailed information should be found there.
@author Andreas.Salzburger@cern.ch
*/
class ISurfaceBuilder : virtual public IAlgTool {
public:
/**Virtual destructor*/
virtual ~ISurfaceBuilder(){}
/** AlgTool and IAlgTool interface methods */
static const InterfaceID& interfaceID() { return IID_ISurfaceBuilder; }
/** SurfaceBuilder interface method - provide a vector of surfaces - */
virtual const std::vector< const Surface* >* surfaces() const = 0;
/** SurfaceBuilder interface method - provice a single surface */
virtual const Surface* surface( ) const = 0;
};
} // end of namespace
#endif // TRKDETDESCRINTERFACES_ILAYERBUILDER_H
| [
"rushioda@lxplus754.cern.ch"
] | rushioda@lxplus754.cern.ch |
f93c4ee439e94de07ffc376b00d31183a8534402 | d0c44dd3da2ef8c0ff835982a437946cbf4d2940 | /cmake-build-debug/programs_tiling/function14067/function14067_schedule_1/function14067_schedule_1.cpp | 3f86ee27c00d3f646b6c6520de2488648f478579 | [] | no_license | IsraMekki/tiramisu_code_generator | 8b3f1d63cff62ba9f5242c019058d5a3119184a3 | 5a259d8e244af452e5301126683fa4320c2047a3 | refs/heads/master | 2020-04-29T17:27:57.987172 | 2019-04-23T16:50:32 | 2019-04-23T16:50:32 | 176,297,755 | 1 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 999 | cpp | #include <tiramisu/tiramisu.h>
using namespace tiramisu;
int main(int argc, char **argv){
tiramisu::init("function14067_schedule_1");
constant c0("c0", 128), c1("c1", 4096), c2("c2", 64);
var i0("i0", 0, c0), i1("i1", 0, c1), i2("i2", 0, c2), i100("i100", 1, c0 - 1), i101("i101", 1, c1 - 1), i102("i102", 1, c2 - 1), i01("i01"), i02("i02"), i03("i03"), i04("i04");
input input0("input0", {i0, i1, i2}, p_int32);
computation comp0("comp0", {i100, i101, i102}, (input0(i100, i101, i102) - input0(i100 + 1, i101, i102) + input0(i100 - 1, i101, i102)));
comp0.tile(i101, i102, 32, 32, i01, i02, i03, i04);
comp0.parallelize(i100);
buffer buf00("buf00", {128, 4096, 64}, p_int32, a_input);
buffer buf0("buf0", {128, 4096, 64}, p_int32, a_output);
input0.store_in(&buf00);
comp0.store_in(&buf0);
tiramisu::codegen({&buf00, &buf0}, "../data/programs/function14067/function14067_schedule_1/function14067_schedule_1.o");
return 0;
} | [
"ei_mekki@esi.dz"
] | ei_mekki@esi.dz |
a4f616ffd9c20d15189792e941b81820e7f2cc01 | 2318f988a0042ef402f6281b02260e49da81d484 | /madlib.cpp | 1482b686460adfae9b9f55d8d7f05047789b8fcf | [] | no_license | rachit995/tut-cplusplus | ab8203b4703756879c48696032b660c89ab65cca | e6cd210d066fcedd9d901b5c9aba90957f22329a | refs/heads/main | 2023-02-27T06:56:59.712582 | 2021-01-27T19:13:45 | 2021-01-27T19:13:45 | 333,520,718 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 418 | cpp | #include <iostream>
#include <cmath>
using namespace std;
int main()
{
string color, pluralNoun, celebrity;
cout << "Enter a color: ";
getline(cin, color);
cout << "Enter a plural noun: ";
getline(cin, pluralNoun);
cout << "Enter a celebrity: ";
getline(cin, celebrity);
cout << "Roses are " << color << endl;
cout << pluralNoun << " are blue" << endl;
cout << "I love " << celebrity << endl;
return 0;
}
| [
"rachit995@rocketmail.com"
] | rachit995@rocketmail.com |
81d2483f51443e8153cab920beebae0e6dc2e8a6 | a8e7796d0da57c92f531e3105e24d8c1f3fbbf70 | /PERS.cpp | d4956c2c761514d3724587c0616ad4a617d756cc | [] | no_license | silvianaim02/CPP-NAIM | 1a9cc4b4130afc5c65b629664013ca8fa9a16279 | c5f4378f8b596568df284d41c20971a8bbf01d9b | refs/heads/master | 2022-05-20T19:35:21.404366 | 2020-02-09T00:41:42 | 2020-02-09T00:41:42 | 239,223,027 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 521 | cpp | #include <iostream>
using namespace std;
int main(){
//KAMUS
int X,Y,Z;
//mencari nilai x
cout <<"mencari nilai X dari persamaan 12X-9Y+8Z=0"<<endl;
cout<<" "<<endl;
cout << "Masukan nilai Y : ";
cin >> Y;
cout << "Masukan nilai Z : ";
cin >> Z;
cout<<" "<<endl;
if ((1<=Y) && (Y<=100) && (1<=Z) && (Z<=100) && (Y>Z))
{
X=(9*Y-8*Z)/12;
cout<<"X="<<X<<endl;
}
else
{
cout<<"EROR!!, masukan nilai 1<= Y,Z <=100 serta nilai Y>Z "<<endl;
}
return 0;
}
| [
"noreply@github.com"
] | noreply@github.com |
acff9d25b30d3a8ac91ca03d9be176b233880500 | d64737d31ae9caba2820ea1048be3f9bce708b42 | /cpp/find-the-duplicate-number.cpp | 1d54b4ef1baa39c4cf83a8998a61f9621a41208e | [] | no_license | ldcduc/leetcode-training | 2453ec13e69160bc29e8e516e19544c2b25bf945 | 40db37375372f14dd45d0a069c8b86fe36221f09 | refs/heads/master | 2023-08-05T01:46:52.993542 | 2021-09-18T16:47:54 | 2021-09-18T16:47:54 | 271,736,046 | 9 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 433 | cpp | /* Problem url: https://leetcode.com/problems/find-the-duplicate-number
* Code by: ldcduc
* */
class Solution {
public:
int findDuplicate(vector<int>& nums) {
sort(nums.begin(), nums.end());
for (int i = 1; i < nums.size(); ++ i) {
if (nums[i] == nums[i - 1]) {
return nums[i];
}
}
return 0;
}
};
/*
* Comment by ldcduc
* Suggested tags:
*
* */
| [
"ldcduc@apcs.vn"
] | ldcduc@apcs.vn |
aa590f2fe65e997750a29599e0a6228f49e49476 | 168021f07ae2fa03767808f1d99c843c893586ea | /practice/arbit3.cpp | cef6cc75539e791a2f6cb3ad48fff37655d51681 | [] | no_license | itsmedurgesh/Coding-Practice-CPP | f9d6a3af7b9cd176cdd89871e13b38d57f1dd8e6 | 87b3edea4e03d317f9d443a2635275b20eef95ac | refs/heads/master | 2020-05-29T14:41:26.591697 | 2016-09-30T17:15:22 | 2016-09-30T17:15:22 | 63,379,095 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 552 | cpp | #include <iostream>
using namespace std;
int main() {
/* Enter your code here. Read input from STDIN. Print output to STDOUT */
int t;
cin>>t;
for(int p=0; p<t; ++p){
int n;
cin>>n;
long sum = 0;
long a = n/3;
if(3*a == n) --a;
long b = n/5;
if(5*b == n) --b;
long c = n/15;
if(15*c == n) --c;
sum += 3*a*(a+1)/2;
sum += 5*b*(b+1)/2;
sum -= 15*c*(c+1)/2;
cout<<sum<<endl;
}
return 0;
}
| [
"durgeshchoudhary3313@gmail.com"
] | durgeshchoudhary3313@gmail.com |
aa44db240aa7bf42e2d283076f71728cbd1c61df | f028807c183a6a3689d9b255ed7b93e40b889604 | /plugins/editor/src/syntax/manager.cpp | 79b8444cde97e962890081624e3b9980e31ac30c | [] | no_license | shujaatak/qnoto | 4e99823609d1652b69a2ead388f976e60d8c4c06 | 8e5d5e2149b9e88de9ffd3f50dccae28f48e463a | refs/heads/master | 2020-04-28T01:55:29.306830 | 2018-01-30T20:42:45 | 2018-01-30T20:42:45 | 174,878,411 | 1 | 0 | null | 2019-03-10T20:41:03 | 2019-03-10T20:41:03 | null | UTF-8 | C++ | false | false | 1,867 | cpp | #include <QDir>
#include <QDebug>
#include <QFileInfo>
#include <QDomDocument>
#include <QCoreApplication>
#include "manager.h"
#include "parser.h"
#include "definition.h"
namespace syntax {
Manager& Manager::instance()
{
static Manager inst;
return inst;
}
Manager::Manager()
{
QDir synDir(QCoreApplication::applicationDirPath());
synDir.cd("syntax");
for(const QFileInfo& file: synDir.entryInfoList({"*.xml"})){
readFile(file);
}
for(const auto& info: m_info){
qDebug() << "loaded:" << info.name << "pattern:" << info.pattern << "from:" << info.syntaxFile;
}
m_default = DefinitionPtr::create();
m_default->init(true);
}
void Manager::readFile(const QFileInfo& info)
{
QDomDocument doc("syntax");
QFile file(info.absoluteFilePath());
if (!file.open(QIODevice::ReadOnly))
return;
if (!doc.setContent(&file)) {
file.close();
return;
}
file.close();
auto attrs = doc.namedItem("language").attributes();
m_info.append({
attrs.namedItem("name").nodeValue(),
attrs.namedItem("extensions").nodeValue(),
info.absoluteFilePath(),
{}
});
}
DefinitionPtr Manager::definition(const QString& file)
{
for(auto& info: m_info){
for(const QString& pat: info.pattern.split(";", QString::SplitBehavior::SkipEmptyParts)){
QRegExp rx(pat, Qt::CaseSensitive, QRegExp::WildcardUnix);
if (rx.indexIn(file) != -1){
if (!info.definition){
initDefinition(info.definition, info.syntaxFile);
}
return info.definition;
}
}
}
return m_default;
}
void Manager::initDefinition(DefinitionPtr& def, const QString& file)
{
Parser parser(file);
def = DefinitionPtr::create();
parser.parse(def);
}
}
| [
"zjesclean@gmail.com"
] | zjesclean@gmail.com |
7b906d9f6ad3193eafaab05589a4a5e8471bf7ad | 12945e7b4fd8e346a42294059cde32020c99e353 | /interviewbit/hashing/longestConsecutiveSeq.cpp | 362acc52f74b030e45c56d1843851139099e8fff | [] | no_license | mahir29/CompetitiveProblems | 03def1403145d3259978a613c9acf3ed59638888 | 8c02da5839a23b2bc273dba86ffd8d471ceb18da | refs/heads/master | 2023-07-30T08:51:38.637321 | 2021-09-18T17:23:12 | 2021-09-18T17:23:12 | 350,314,517 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,595 | cpp | #include<bits/stdc++.h>
using namespace std;
#define ull unsigned long long
#define vi vector<int>
#define vs vector<string>
#define pii pair<int,int>
#define vp vector<pii>
#define pb push_back
#define mp make_pair
#define all(v) v.begin(),v.end()
#define mii map<int,int>
#define w(x) int x; cin>>x; while(x--)
//find size of Longest subsequence of consecutive elements in the array
int longestConsecutive(const vector<int> &A) {
priority_queue<int, vector<int>, greater<int> > pq;
int N=A.size();
for (int i = 0; i < N; i++) {
// adding element from
// array to PriorityQueue
pq.push(A[i]);
}
// Storing the first element
// of the Priority Queue
// This first element is also
// the smallest element
int prev = pq.top();
pq.pop();
// Taking a counter variable with value 1
int c = 1;
// Storing value of max as 1
// as there will always be
// one element
int max = 1;
while (!pq.empty()) {
// check if current peek
// element minus previous
// element is greater then
// 1 This is done because
// if it's greater than 1
// then the sequence
// doesn't start or is broken here
if (pq.top() - prev > 1) {
// Store the value of counter to 1
// As new sequence may begin
c = 1;
// Update the previous position with the
// current peek And remove it
prev = pq.top();
pq.pop();
}
// Check if the previous
// element and peek are same
else if (pq.top() - prev == 0) {
// Update the previous position with the
// current peek And remove it
prev = pq.top();
pq.pop();
}
// If the difference
// between previous element and peek is 1
else {
// Update the counter
// These are consecutive elements
c++;
// Update the previous position
// with the current peek And remove it
prev = pq.top();
pq.pop();
}
// Check if current longest
// subsequence is the greatest
if (max < c) {
// Store the current subsequence count as
// max
max = c;
}
}
return max;
}
signed main(){
ios_base::sync_with_stdio(false);
cin.tie(0);
cout.tie(0);
//Write your code here
return 0;
} | [
"mahirhardwar@gmail.com"
] | mahirhardwar@gmail.com |
f3603db26c1812c5c75d95e2b03b4ab7ceabeb44 | 3e1ac5a6f5473c93fb9d4174ced2e721a7c1ff4c | /build/iOS/Preview/include/Uno.Data.Json.Object.h | 932b6b09469cfa55eb9a187385c3b39b7fcbffdb | [] | no_license | dream-plus/DreamPlus_popup | 49d42d313e9cf1c9bd5ffa01a42d4b7c2cf0c929 | 76bb86b1f2e36a513effbc4bc055efae78331746 | refs/heads/master | 2020-04-28T20:47:24.361319 | 2019-05-13T12:04:14 | 2019-05-13T12:04:14 | 175,556,703 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,335 | h | // This file was generated based on /usr/local/share/uno/Packages/Uno.Data.Json/1.9.0/Source/JsonValue.uno.
// WARNING: Changes might be lost if you edit this file directly.
#pragma once
#include <Uno.Data.Json.Value.h>
namespace g{namespace Uno{namespace Collections{struct Dictionary;}}}
namespace g{namespace Uno{namespace Data{namespace Json{struct Object;}}}}
namespace g{
namespace Uno{
namespace Data{
namespace Json{
// internal sealed class Object :51
// {
uType* Object_typeof();
void Object__ctor_1_fn(Object* __this);
void Object__Add_fn(Object* __this, uString* key, ::g::Uno::Data::Json::Value* val);
void Object__ContainsKey_fn(Object* __this, uString* key, bool* __retval);
void Object__get_Count_fn(Object* __this, int32_t* __retval);
void Object__get_Item_fn(Object* __this, uString* key, ::g::Uno::Data::Json::Value** __retval);
void Object__get_Keys_fn(Object* __this, uArray** __retval);
void Object__New1_fn(Object** __retval);
struct Object : ::g::Uno::Data::Json::Value
{
uStrong< ::g::Uno::Collections::Dictionary*> _values;
void ctor_1();
void Add(uString* key, ::g::Uno::Data::Json::Value* val);
bool ContainsKey(uString* key);
int32_t Count();
::g::Uno::Data::Json::Value* Item(uString* key);
uArray* Keys();
static Object* New1();
};
// }
}}}} // ::g::Uno::Data::Json
| [
"cowodbs156@gmail.com"
] | cowodbs156@gmail.com |
a1328c357d6e6afa76537bec5144bf55ac704ce9 | 3b8fb61a768117f2b34d621192171fd7b4777ce8 | /Cell.hpp | 28de93e941e60e47a9a201a2937712c2354598bb | [] | no_license | wspires/Minesweeper | c86e2b0d68dd2c947c28b868d0c8d942e9f47de5 | 180218fd8a7817cd2ab12abff748e62f7b86e431 | refs/heads/master | 2020-04-13T18:07:04.347798 | 2019-01-02T15:28:18 | 2019-01-02T15:28:18 | 163,365,255 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 685 | hpp | #pragma once
#include <iosfwd>
namespace wade {
// Possible states for cell on the board.
enum class Cell : int
{
Mine = -1, // Cell is a mine.
Zero = 0, // Adjacent to 0 mines.
One = 1, // Adjacent to 1 mine.
Two = 2, // Adjacent to 2 mines.
Three = 3, // Adjacent to 3 mines.
Four = 4, // Adjacent to 4 mines.
Five = 5, // Adjacent to 5 mines.
Six = 6, // Adjacent to 6 mines.
Seven = 7, // Adjacent to 7 mines.
Eight = 8, // Adjacent to 8 mines.
Flagged = 9, // Player has flagged cell as a mine.
Hidden = 10, // Cell is hidden from the player.
};
std::ostream & operator<<(std::ostream &, Cell);
}
| [
"w.h.spires@gmail.com"
] | w.h.spires@gmail.com |
bf26842d23f0f5d74120c9ec1cb4dd54f27527f1 | 35fe1bda9e3d4cd7ff2139cf6ed5983e83d5c5da | /src/WebSocketClient.h | 2f5fc6204126717ba097487e5e7abd605687817a | [] | no_license | AndersonWang/metagate | 605c10383c19c4c6fbf429643d691dd406f14645 | e81a631677cb0b3660b306e2dff227d807c42e50 | refs/heads/master | 2020-03-23T15:37:08.650029 | 2018-07-20T09:45:37 | 2018-07-20T09:45:37 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 837 | h | #ifndef WEBSOCKETCLIENT_H
#define WEBSOCKETCLIENT_H
#include <QObject>
#include <QThread>
#include <QtWebSockets/QWebSocket>
class WebSocketClient : public QObject
{
Q_OBJECT
public:
explicit WebSocketClient(QObject *parent = nullptr);
~WebSocketClient();
void start();
signals:
void closed();
void sendMessage(QString message);
void setHelloString(QString message);
public slots:
void onStarted();
void onConnected();
void onTextMessageReceived(QString message);
void onSendMessage(QString message);
void onSetHelloString(QString message);
private:
QWebSocket m_webSocket;
QUrl m_url;
bool isStopped = false;
bool isConnected = false;
std::vector<QString> messageQueue;
QThread thread1;
QString helloString;
};
#endif // WEBSOCKETCLIENT_H
| [
"sv_91@inbox.ru"
] | sv_91@inbox.ru |
f725f45c25eccad9867f5e063f4b232c3e1899db | 429ccd551857bbec7bc307b69c3a081e01e72796 | /20200907/20200907/park.cpp | 0f18f367ec7796dfedb05820ad74ade9a1436ea2 | [] | no_license | AnSeokHyeon/Algorithm | fd57cf8ddcb2eb712badcd303ab0318484440e3f | f647faccb49b1c3da3e05041e1c4876ade16f5ef | refs/heads/main | 2023-04-28T09:31:16.609583 | 2020-10-31T04:44:33 | 2020-10-31T04:44:33 | 308,804,826 | 2 | 0 | null | null | null | null | UHC | C++ | false | false | 3,183 | cpp | #include <iostream>
#include <vector>
#include <queue>
#include <memory.h>
using namespace std;
typedef struct Location {
int x, y;
}loc;
char board[13][7];
int check[13][7];
vector<loc> wait;
int n = 12, m = 6, ans = 0;
int dx[] = { 0, 0, 1, -1 };
int dy[] = { 1, -1, 0, 0 };
void simulate() {
while (1) {
if (wait.size() == 0) //끝나면
break;
bool pop = false;
int c = 0;
vector<int> del;
memset(check, -1, sizeof(check));
// 좌표부터 탐색
for (int i = 0; i < wait.size(); i++) {
int depth = 1;
queue <loc> q;
if (check[wait[i].x][wait[i].y] != -1)
continue;
q.push(wait[i]);
char std = board[wait[i].x][wait[i].y];
check[wait[i].x][wait[i].y] = c;
while (!q.empty()) {
loc now = q.front();
q.pop();
for (int k = 0; k < 4; k++) {
loc next = { now.x + dx[k], now.y + dy[k] };
if (next.x > 11 || next.x < 0 || next.y >5 || next.y < 0) continue;
if (board[next.x][next.y] != std) continue;
if (check[next.x][next.y] != -1) continue;
q.push(next);
check[next.x][next.y] = check[now.x][now.y];
depth++;
}
}
if (depth >= 4) {
pop = true;
del.push_back(c);
}
c++;
}
if (pop == false) break;
// 하나라도 터졌으면 ans++, 터진게 있으면 내려야겠지
if (pop) {
ans++;
for (int x = 0; x < n; x++) {
for (int y = 0; y < m; y++) {
for (int k = 0; k < del.size(); k++) {
if (check[x][y] == del[k]) {
board[x][y] = '.';
break;
}
}
}
}
// 내리자
for (int y = 0; y < m; y++) {
for (int x = n - 1; x >= 0; x--) {
if (board[x][y] == '.') {
for (int k = x - 1; k >= 0; k--) {
if (board[k][y] != '.') {
board[x][y] = board[k][y];
board[k][y] = '.';
break;
}
}
}
}
}
// wait에 다시 담자
wait.clear();;
for (int x = 0; x < n; x++) {
for (int y = 0; y < m; y++) {
if (board[x][y] != '.')
wait.push_back({ x,y });
}
}
}
}
}
int main()
{
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
cin >> board[i][j];
if (board[i][j] != '.') {
wait.push_back({ i, j });
}
}
}
simulate();
cout << ans;
return 0;
} | [
"the99331122@gmail.com"
] | the99331122@gmail.com |
de8c78614bf5cedfc4ac3f462c201df3f3f5c750 | abfd845716646e7c3074c890c211b805e65e5671 | /source/extensions/filters/network/thrift_proxy/router/upstream_request.cc | 5281dd9b498fbfc570ec8069f5473997a0a6a668 | [
"Apache-2.0",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | danzh2010/envoy | f094f0c7e8d2f8ebc5694c58f6956fe11e4f514d | 4239e739187f082aa974550cdc1229693f5e78df | refs/heads/master | 2023-08-05T06:10:02.361651 | 2022-06-24T18:07:05 | 2022-06-24T18:07:05 | 144,779,624 | 1 | 3 | Apache-2.0 | 2023-02-25T00:10:40 | 2018-08-14T22:48:20 | C++ | UTF-8 | C++ | false | false | 12,338 | cc | #include "source/extensions/filters/network/thrift_proxy/router/upstream_request.h"
#include "source/extensions/filters/network/thrift_proxy/app_exception_impl.h"
namespace Envoy {
namespace Extensions {
namespace NetworkFilters {
namespace ThriftProxy {
namespace Router {
UpstreamRequest::UpstreamRequest(RequestOwner& parent, Upstream::TcpPoolData& pool_data,
MessageMetadataSharedPtr& metadata, TransportType transport_type,
ProtocolType protocol_type, bool close_downstream_on_error)
: parent_(parent), stats_(parent.stats()), conn_pool_data_(pool_data), metadata_(metadata),
transport_(NamedTransportConfigFactory::getFactory(transport_type).createTransport()),
protocol_(NamedProtocolConfigFactory::getFactory(protocol_type).createProtocol()),
request_complete_(false), response_started_(false), response_complete_(false),
close_downstream_on_error_(close_downstream_on_error) {}
UpstreamRequest::~UpstreamRequest() {
if (conn_pool_handle_) {
conn_pool_handle_->cancel(Tcp::ConnectionPool::CancelPolicy::Default);
}
}
FilterStatus UpstreamRequest::start() {
Tcp::ConnectionPool::Cancellable* handle = conn_pool_data_.newConnection(*this);
if (handle) {
// Pause while we wait for a connection.
conn_pool_handle_ = handle;
return FilterStatus::StopIteration;
}
if (upgrade_response_ != nullptr) {
// Pause while we wait for an upgrade response.
return FilterStatus::StopIteration;
}
if (upstream_host_ == nullptr) {
return FilterStatus::StopIteration;
}
return FilterStatus::Continue;
}
void UpstreamRequest::releaseConnection(const bool close) {
ENVOY_LOG(debug, "releasing connection, close: {}", close);
if (conn_pool_handle_) {
conn_pool_handle_->cancel(Tcp::ConnectionPool::CancelPolicy::Default);
conn_pool_handle_ = nullptr;
}
conn_state_ = nullptr;
// The event triggered by close will also release this connection so clear conn_data_ before
// closing.
auto conn_data = std::move(conn_data_);
if (close && conn_data != nullptr) {
conn_data->connection().close(Network::ConnectionCloseType::NoFlush);
}
}
void UpstreamRequest::resetStream() {
ENVOY_LOG(debug, "reset stream");
releaseConnection(true);
}
void UpstreamRequest::onPoolFailure(ConnectionPool::PoolFailureReason reason, absl::string_view,
Upstream::HostDescriptionConstSharedPtr host) {
ENVOY_LOG(debug, "on pool failure");
conn_pool_handle_ = nullptr;
// Mimic an upstream reset.
onUpstreamHostSelected(host);
if (!onResetStream(reason)) {
parent_.continueDecoding();
}
}
void UpstreamRequest::onPoolReady(Tcp::ConnectionPool::ConnectionDataPtr&& conn_data,
Upstream::HostDescriptionConstSharedPtr host) {
// Only invoke continueDecoding if we'd previously stopped the filter chain.
bool continue_decoding = conn_pool_handle_ != nullptr;
onUpstreamHostSelected(host);
host->outlierDetector().putResult(Upstream::Outlier::Result::LocalOriginConnectSuccess);
conn_data_ = std::move(conn_data);
conn_data_->addUpstreamCallbacks(parent_.upstreamCallbacks());
conn_pool_handle_ = nullptr;
conn_state_ = conn_data_->connectionStateTyped<ThriftConnectionState>();
if (conn_state_ == nullptr) {
conn_data_->setConnectionState(std::make_unique<ThriftConnectionState>());
conn_state_ = conn_data_->connectionStateTyped<ThriftConnectionState>();
}
if (protocol_->supportsUpgrade()) {
auto& buffer = parent_.buffer();
upgrade_response_ = protocol_->attemptUpgrade(*transport_, *conn_state_, buffer);
if (upgrade_response_ != nullptr) {
parent_.addSize(buffer.length());
conn_data_->connection().write(buffer, false);
return;
}
}
onRequestStart(continue_decoding);
}
void UpstreamRequest::handleUpgradeResponse(Buffer::Instance& data) {
ENVOY_LOG(trace, "reading upgrade response: {} bytes", data.length());
if (!upgrade_response_->onData(data)) {
// Wait for more data.
return;
}
ENVOY_LOG(debug, "upgrade response complete");
protocol_->completeUpgrade(*conn_state_, *upgrade_response_);
upgrade_response_.reset();
onRequestStart(true);
}
ThriftFilters::ResponseStatus
UpstreamRequest::handleRegularResponse(Buffer::Instance& data,
UpstreamResponseCallbacks& callbacks) {
ENVOY_LOG(trace, "reading response: {} bytes", data.length());
if (!response_started_) {
callbacks.startUpstreamResponse(*transport_, *protocol_);
response_started_ = true;
}
const auto& cluster = parent_.cluster();
const auto status = callbacks.upstreamData(data);
if (status == ThriftFilters::ResponseStatus::Complete) {
ENVOY_LOG(debug, "response complete");
stats_.recordUpstreamResponseSize(cluster, response_size_);
switch (callbacks.responseMetadata()->messageType()) {
case MessageType::Reply:
if (callbacks.responseSuccess()) {
upstream_host_->outlierDetector().putResult(
Upstream::Outlier::Result::ExtOriginRequestSuccess);
stats_.incResponseReplySuccess(cluster, upstream_host_);
} else {
upstream_host_->outlierDetector().putResult(
Upstream::Outlier::Result::ExtOriginRequestFailed);
stats_.incResponseReplyError(cluster, upstream_host_);
}
break;
case MessageType::Exception:
upstream_host_->outlierDetector().putResult(
Upstream::Outlier::Result::ExtOriginRequestFailed);
stats_.incResponseRemoteException(cluster, upstream_host_);
break;
default:
stats_.incResponseInvalidType(cluster, upstream_host_);
break;
}
if (callbacks.responseMetadata()->isDraining()) {
ENVOY_LOG(debug, "got draining signal");
stats_.incCloseDrain(cluster);
resetStream();
}
onResponseComplete();
} else if (status == ThriftFilters::ResponseStatus::Reset) {
// Note: invalid responses are not accounted in the response size histogram.
ENVOY_LOG(debug, "upstream reset");
upstream_host_->outlierDetector().putResult(Upstream::Outlier::Result::ExtOriginRequestFailed);
stats_.incResponseDecodingError(cluster, upstream_host_);
resetStream();
}
return status;
}
bool UpstreamRequest::handleUpstreamData(Buffer::Instance& data, bool end_stream,
UpstreamResponseCallbacks& callbacks) {
ASSERT(!response_complete_);
response_size_ += data.length();
if (upgrade_response_ != nullptr) {
handleUpgradeResponse(data);
} else {
const auto status = handleRegularResponse(data, callbacks);
if (status != ThriftFilters::ResponseStatus::MoreData) {
return true;
}
}
if (end_stream) {
// Response is incomplete, but no more data is coming.
ENVOY_LOG(debug, "response underflow");
onResponseComplete();
onResetStream(ConnectionPool::PoolFailureReason::RemoteConnectionFailure);
return true;
}
return false;
}
void UpstreamRequest::onEvent(Network::ConnectionEvent event) {
ASSERT(!response_complete_);
bool end_downstream = true;
switch (event) {
case Network::ConnectionEvent::RemoteClose:
ENVOY_LOG(debug, "upstream remote close");
end_downstream = onResetStream(ConnectionPool::PoolFailureReason::RemoteConnectionFailure);
break;
case Network::ConnectionEvent::LocalClose:
ENVOY_LOG(debug, "upstream local close");
end_downstream = onResetStream(ConnectionPool::PoolFailureReason::LocalConnectionFailure);
break;
case Network::ConnectionEvent::Connected:
case Network::ConnectionEvent::ConnectedZeroRtt:
// Connected is consumed by the connection pool.
IS_ENVOY_BUG("reached unexpectedly");
}
releaseConnection(false);
if (!end_downstream && request_complete_) {
parent_.onReset();
}
}
uint64_t UpstreamRequest::encodeAndWrite(Buffer::OwnedImpl& request_buffer) {
Buffer::OwnedImpl transport_buffer;
metadata_->setProtocol(protocol_->type());
transport_->encodeFrame(transport_buffer, *metadata_, request_buffer);
uint64_t size = transport_buffer.length();
conn_data_->connection().write(transport_buffer, false);
return size;
}
void UpstreamRequest::onRequestStart(bool continue_decoding) {
auto& buffer = parent_.buffer();
parent_.initProtocolConverter(*protocol_, buffer);
metadata_->setSequenceId(conn_state_->nextSequenceId());
parent_.convertMessageBegin(metadata_);
if (continue_decoding) {
parent_.continueDecoding();
}
}
void UpstreamRequest::onRequestComplete() {
Event::Dispatcher& dispatcher = parent_.dispatcher();
downstream_request_complete_time_ = dispatcher.timeSource().monotonicTime();
request_complete_ = true;
}
void UpstreamRequest::onResponseComplete() {
chargeResponseTiming();
response_complete_ = true;
conn_state_ = nullptr;
conn_data_.reset();
}
void UpstreamRequest::onUpstreamHostSelected(Upstream::HostDescriptionConstSharedPtr host) {
upstream_host_ = host;
}
bool UpstreamRequest::onResetStream(ConnectionPool::PoolFailureReason reason) {
bool close_downstream = true;
chargeResponseTiming();
switch (reason) {
case ConnectionPool::PoolFailureReason::Overflow:
stats_.incResponseLocalException(parent_.cluster());
parent_.sendLocalReply(AppException(AppExceptionType::InternalError,
"thrift upstream request: too many connections"),
false /* Don't close the downstream connection. */);
close_downstream = false;
break;
case ConnectionPool::PoolFailureReason::LocalConnectionFailure:
upstream_host_->outlierDetector().putResult(
Upstream::Outlier::Result::LocalOriginConnectFailed);
// Should only happen if we closed the connection, due to an error condition, in which case
// we've already handled any possible downstream response.
parent_.resetDownstreamConnection();
break;
case ConnectionPool::PoolFailureReason::RemoteConnectionFailure:
case ConnectionPool::PoolFailureReason::Timeout:
if (reason == ConnectionPool::PoolFailureReason::Timeout) {
upstream_host_->outlierDetector().putResult(Upstream::Outlier::Result::LocalOriginTimeout);
} else if (reason == ConnectionPool::PoolFailureReason::RemoteConnectionFailure) {
upstream_host_->outlierDetector().putResult(
Upstream::Outlier::Result::LocalOriginConnectFailed);
}
stats_.incResponseLocalException(parent_.cluster());
// TODO(zuercher): distinguish between these cases where appropriate (particularly timeout)
if (response_started_) {
ENVOY_LOG(debug, "reset downstream connection for a partial response");
// Error occurred after a partial response, propagate the reset to the downstream.
parent_.resetDownstreamConnection();
} else {
close_downstream = close_downstream_on_error_;
parent_.sendLocalReply(
AppException(
AppExceptionType::InternalError,
fmt::format("connection failure: {} '{}'",
reason == ConnectionPool::PoolFailureReason::RemoteConnectionFailure
? "remote connection failure"
: "timeout",
(upstream_host_ != nullptr) ? upstream_host_->address()->asString()
: "to upstream")),
close_downstream);
}
break;
}
ENVOY_LOG(debug, "upstream reset complete reason {} (close_downstream={})",
static_cast<int>(reason), close_downstream);
return close_downstream;
}
void UpstreamRequest::chargeResponseTiming() {
if (charged_response_timing_ || !request_complete_) {
return;
}
charged_response_timing_ = true;
Event::Dispatcher& dispatcher = parent_.dispatcher();
const std::chrono::milliseconds response_time =
std::chrono::duration_cast<std::chrono::milliseconds>(
dispatcher.timeSource().monotonicTime() - downstream_request_complete_time_);
stats_.recordUpstreamResponseTime(parent_.cluster(), upstream_host_, response_time.count());
}
} // namespace Router
} // namespace ThriftProxy
} // namespace NetworkFilters
} // namespace Extensions
} // namespace Envoy
| [
"noreply@github.com"
] | noreply@github.com |
ee5f811ba4ee4093b1cb47d57e90d00a342e969e | 5d7df73b1781048334698bd8d751ca61434fe55e | /1000. 9.1 The Rectangle class.cpp | 022013c76dd043e6453640aa28aad015982d26b6 | [] | no_license | zoea2/MyCppCode | e2df3dd5153248f678825b07185f23d8350babac | 4bd73391149cefeb45097adc9664f05946b74a79 | refs/heads/master | 2016-09-05T14:01:47.580248 | 2013-10-24T11:31:43 | 2013-10-24T11:31:43 | 13,830,250 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 756 | cpp | #include <ctime>
class Time
{
private:
int hour;
int minute;
int second;
public:
Time()
{
long long currentTime = time(0);
second = currentTime % 60;
currentTime = currentTime / 60;
minute = currentTime % 60 ;
currentTime /= 60;
hour = currentTime / 24;
}
Time(int totalSeconds)
{
long long currentTime = totalSeconds;
second = currentTime % 60;
currentTime = currentTime / 60;
minute = currentTime % 60 ;
currentTime /= 60;
hour = currentTime / 24;
}
int getHour()
{
return hour;
}
int getMinute()
{
return minute;
}
int getSecond()
{
return second;
}
};
| [
"zoea19920810@gmail.com"
] | zoea19920810@gmail.com |
33b21ea886bbf6289c7c3e1a61bc21e92765e979 | 97bd2bc90481e59da387772cd414f07516e6f2cd | /pastel/sys/predicate/lexicographic.hpp | dbe864403a5670e5ccca2adffdda3bc5de37a096 | [
"LicenseRef-scancode-unknown-license-reference",
"MIT"
] | permissive | kaba2/pastel | c0371639be222cfa00252420c54057a54a93a4a3 | c7fb78fff3cbd977b884e54e21651f6346165ff5 | refs/heads/master | 2021-11-12T00:12:49.343600 | 2021-10-31T04:18:28 | 2021-10-31T04:18:28 | 231,507,632 | 3 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 975 | hpp | #ifndef PASTELSYS_LEXICOGRAPHIC_HPP
#define PASTELSYS_LEXICOGRAPHIC_HPP
#include "pastel/sys/predicate/lexicographic.h"
#include "pastel/sys/ensure.h"
namespace Pastel
{
template <typename Type>
bool lexicographicLess(
const NoDeduction<Type>& leftPrimary,
const NoDeduction<Type>& leftSecondary,
const NoDeduction<Type>& rightPrimary,
const NoDeduction<Type>& rightSecondary)
{
if (leftPrimary < rightPrimary)
{
return true;
}
if (rightPrimary < leftPrimary)
{
return false;
}
return leftSecondary < rightSecondary;
}
template <typename Real, int N>
bool lexicographicLess(
const Vector<Real, N>& left,
const Vector<Real, N>& right)
{
integer n = left.n();
PENSURE_OP(right.n(), ==, n);
for (integer i = 0;i < n;++i)
{
if (left[i] < right[i])
{
return true;
}
if (right[i] < left[i])
{
return false;
}
}
return false;
}
}
#endif
| [
"kaba@hilvi.org"
] | kaba@hilvi.org |
646679f45fb25eab9bd7e6e2be8fa4ddc82f8bf1 | b111b77f2729c030ce78096ea2273691b9b63749 | /perf-native-large/project814/src/testComponent1034/cpp/lib2.cpp | 73e9861fdaebf7fe9d23df91ca0b287f5a17c78b | [] | no_license | WeilerWebServices/Gradle | a1a55bdb0dd39240787adf9241289e52f593ccc1 | 6ab6192439f891256a10d9b60f3073cab110b2be | refs/heads/master | 2023-01-19T16:48:09.415529 | 2020-11-28T13:28:40 | 2020-11-28T13:28:40 | 256,249,773 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 128 | cpp | #include <stdio.h>
#include <testComponent1034/lib1.h>
int testComponent1034_2 () {
printf("Hello world!\n");
return 0;
}
| [
"nateweiler84@gmail.com"
] | nateweiler84@gmail.com |
fa9cb900dc994e1d702807e85f0f6f7f902a9fe6 | 1bc8d532f358caec8f06f514dbfdd59eb7cf897e | /srcanamdw_os/leavescan/test/testcases/DEF-testcases/pct-leavescan-def132396-265.cpp | f9b6fa9bb0f0cb160c3e6bd4af1122dab2496631 | [] | no_license | SymbianSource/oss.FCL.sf.os.buildtools | 9cd33884e5f7dd49dce8016a79b9443cc3551b07 | 7b35cd328d3a5e8e0bc177d0169fd409c3273193 | refs/heads/master | 2021-01-12T10:57:19.083691 | 2010-07-13T15:41:02 | 2010-07-13T15:41:02 | 72,765,750 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 626 | cpp | /*
* Copyright (c) 2009 Nokia Corporation and/or its subsidiary(-ies).
* All rights reserved.
* This component and the accompanying materials are made available
* under the terms of "Eclipse Public License v1.0"
* which accompanies this distribution, and is available
* at the URL "http://www.eclipse.org/legal/epl-v10.html".
*
* Initial Contributors:
* Nokia Corporation - initial contribution.
*
* Contributors:
*
* Description:
*
*/
//desc: test class name identify
//option:
//date:2009-1-12 11:0:58
//author:bolowyou
//type: CT
template<class t, class tt>
NONSHARABLE_CLASS classA
{
LCleanedup mem; //check:classA
};
| [
"kirill.dremov@nokia.com"
] | kirill.dremov@nokia.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.