blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 3 264 | content_id stringlengths 40 40 | detected_licenses listlengths 0 85 | license_type stringclasses 2 values | repo_name stringlengths 5 140 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 986 values | visit_date timestamp[us] | revision_date timestamp[us] | committer_date timestamp[us] | github_id int64 3.89k 681M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 23 values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 145 values | src_encoding stringclasses 34 values | language stringclasses 1 value | is_vendor bool 1 class | is_generated bool 2 classes | length_bytes int64 3 10.4M | extension stringclasses 122 values | content stringlengths 3 10.4M | authors listlengths 1 1 | author_id stringlengths 0 158 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
948dd5c0ebf9218484239a0685f6b8e47828c339 | 0ab83725e2b65397f2b6258bd63e3df4f781af4f | /图论/网络流/最大流/poj 2455 二分最大流.cpp | 003ddbeb428f1fe0c5fe35fca069fa516be29b1c | [] | no_license | ailyanlu1/ACM-14 | 422ba583916bedbe294453697e085f8fe56109d4 | 7bab8918818e3b78c2796d93b99ee1cff67317cf | refs/heads/master | 2020-06-23T07:24:31.348924 | 2013-11-05T09:25:41 | 2013-11-05T09:25:41 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,021 | cpp | /*
题目:p条路,连接n个节点,现在需要从节点1到节点n,不重复走过一条路且走t次,
最小化这t次中连接两个节点最长的那条路的值。
分析:二分答案,对于<=二分的值的边建边,跑一次最大流即可。
*/
#include <set>
#include <map>
#include <list>
#include <cmath>
#include <queue>
#include <stack>
#include <string>
#include <vector>
#include <cstdio>
#include <cstring>
#include <iostream>
#include <algorithm>
using namespace std;
typedef long long ll;
typedef unsigned long long ull;
#define debug puts("here")
#define rep(i,n) for(int i=0;i<n;i++)
#define rep1(i,n) for(int i=1;i<=n;i++)
#define REP(i,a,b) for(int i=a;i<=b;i++)
#define foreach(i,vec) for(unsigned i=0;i<vec.size();i++)
#define pb push_back
#define RD(n) scanf("%d",&n)
#define RD2(x,y) scanf("%d%d",&x,&y)
#define RD3(x,y,z) scanf("%d%d%d",&x,&y,&z)
#define RD4(x,y,z,w) scanf("%d%d%d%d",&x,&y,&z,&w)
#define All(vec) vec.begin(),vec.end()
#define MP make_pair
#define PII pair<int,int>
#define PQ priority_queue
#define cmax(x,y) x = max(x,y)
#define cmin(x,y) x = min(x,y)
#define Clear(x) memset(x,0,sizeof(x))
/*
#pragma comment(linker, "/STACK:1024000000,1024000000")
int size = 256 << 20; // 256MB
char *p = (char*)malloc(size) + size;
__asm__("movl %0, %%esp\n" :: "r"(p) );
*/
/******** program ********************/
const int MAXN = 1005;
const int MAXM = 100005;
const int INF = 1e9;
int po[MAXN],tol;
int gap[MAXN],dis[MAXN],arc[MAXN],pre[MAXN],cur[MAXN];
int n,m,vs,vt,t;
struct Edge{
int y,f,next;
}edge[MAXM];
struct node{
int x,y,l;
}p[MAXM];
void Add(int x,int y,int f){
edge[++tol].y = y;
edge[tol].f = f;
edge[tol].next = po[x];
po[x] = tol;
}
void add(int x,int y,int f){
Add(x,y,f);
Add(y,x,f); // here
}
int sap(){
memset(dis,0,sizeof(dis));
memset(gap,0,sizeof(gap));
gap[0] = vt;
rep1(i,vt)
arc[i] = po[i];
int ans = 0;
int aug = INF;
int x = vs;
while(dis[vs]<vt){
bool ok = false;
cur[x] = aug;
for(int i=arc[x];i;i=edge[i].next){
int y = edge[i].y;
if(edge[i].f>0&&dis[y]+1==dis[x]){
ok = true;
pre[y] = arc[x] = i;
aug = min(aug,edge[i].f);
x = y;
if(x==vt){
ans += aug;
while(x!=vs){
edge[pre[x]].f -= aug;
edge[pre[x]^1].f += aug;
x = edge[pre[x]^1].y;
}
aug = INF;
}
break;
}
}
if(ok)
continue;
int MIN = vt-1;
for(int i=po[x];i;i=edge[i].next)
if(edge[i].f>0&&dis[edge[i].y]<MIN){
MIN = dis[edge[i].y];
arc[x] = i;
}
if(--gap[dis[x]]==0)
break;
dis[x] = ++ MIN;
++ gap[dis[x]];
if(x!=vs){
x = edge[pre[x]^1].y;
aug = cur[x];
}
}
return ans;
}
inline bool ok(int mid){
Clear(po);
tol = 1;
vs = 1;
vt = n;
rep1(i,m)
if(p[i].l<=mid)
add(p[i].x,p[i].y,1);
return sap()>=t;
}
int main(){
#ifndef ONLINE_JUDGE
freopen("sum.in","r",stdin);
//freopen("sum.out","w",stdout);
#endif
while(~RD3(n,m,t)){
int l = 10000000 , r = 0;
rep1(i,m){
RD3(p[i].x,p[i].y,p[i].l);
cmin(l,p[i].l);
cmax(r,p[i].l);
}
int ans = 0;
while(l<=r){
int mid = (l+r)>>1;
if(ok(mid)){
r = mid-1;
ans = mid;
}else
l = mid+1;
}
cout<<ans<<endl;
}
return 0;
}
| [
"545883134@qq.com"
] | 545883134@qq.com |
444929b952ddeefaf314256b9f224825e64f41c9 | 096f86d816a86bf0fe774dcd350d191820bf2290 | /src/action_server/RANSAC.cpp | 92276c16ff2548624367328dccdc94cf8c5ef17f | [
"MIT"
] | permissive | ncos/mipt-airdrone | f1e1d75b8d1a6cc6a28eb80f922620fd1f78adba | 75450c6fda05303b04c190682aa5c8fc029327f6 | refs/heads/master | 2016-09-06T18:53:41.039844 | 2015-03-13T23:18:59 | 2015-03-13T23:18:59 | 17,603,073 | 2 | 2 | null | 2014-10-10T17:00:37 | 2014-03-10T18:13:03 | C | UTF-8 | C++ | false | false | 1,435 | cpp | #include "RANSAC.h"
void Line_map::renew (ransac_slam::LineMap::ConstPtr lines_msg)
{
this->lines.clear();
for (int i = 0; i < lines_msg->number; ++i) {
pcl::PointXYZ dfdir = pcl::PointXYZ(lines_msg->dfdirs.at(i).x, lines_msg->dfdirs.at(i).y, lines_msg->dfdirs.at(i).z);
pcl::PointXYZ ldir = pcl::PointXYZ(lines_msg->ldirs.at(i).x, lines_msg->ldirs.at(i).y, lines_msg->ldirs.at(i).z);
Line_param lp;
lp.found = true;
lp.renew(dfdir, ldir);
this->lines.push_back(lp);
}
};
Line_param *Line_map::get_best_fit (double angle, double distance)
{
int id = 0;
double error = 10000;
for (int i = 0; i < lines.size(); i++)
{
double newerror = fabs(lines.at(i).angle - angle) +
fabs(lines.at(i).distance - distance);
if (newerror < error) { id = i; error = newerror; }
}
if (fabs(lines.at(id).angle - angle ) > eps ) lines.at(id).found = false;
if (fabs(lines.at(id).distance - distance) > derr) lines.at(id).found = false;
return &lines.at(id);
};
Line_param *Line_map::get_closest (double angle)
{
int id = 0;
double distance = 10000;
for (int i = 0; i < lines.size(); i++)
{
if (fabs(lines.at(i).angle - angle) < eps)
{
double newdistance = lines.at(i).distance;
if (newdistance < distance) { id = i; distance = newdistance; }
}
}
if (fabs(lines.at(id).angle - angle ) > eps ) return NULL;
return &lines.at(id);
};
| [
"anton.mitrokhin@phystech.edu"
] | anton.mitrokhin@phystech.edu |
953a4b6be2563efd7961fbf3bb7622fc93feaee4 | 00898a0e0ac2ae92cd112d2febf8d2b16fb65da4 | /Project_code/PLC-Comm/include/Qt3DCore/5.5.0/Qt3DCore/private/qcamera_p.h | 551325819ffd4dc0d93e8c729d0052238f42e89d | [] | no_license | yisea123/AM-project | 24dd643a2f2086ea739cf48a4c6e8f95c11e42a7 | f1f7386a04985fcbd5d4fc00707cc5c3726c4ff4 | refs/heads/master | 2020-09-01T23:47:58.300736 | 2018-09-24T11:57:57 | 2018-09-24T11:57:57 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,319 | h | /****************************************************************************
**
** Copyright (C) 2014 Klaralvdalens Datakonsult AB (KDAB).
** Contact: http://www.qt-project.org/legal
**
** This file is part of the Qt3D module of the Qt Toolkit.
**
** $QT_BEGIN_LICENSE:LGPL3$
** Commercial License Usage
** Licensees holding valid commercial Qt licenses may use this file in
** accordance with the commercial license agreement provided with the
** Software or, alternatively, in accordance with the terms contained in
** a written agreement between you and The Qt Company. For licensing terms
** and conditions see http://www.qt.io/terms-conditions. For further
** information use the contact form at http://www.qt.io/contact-us.
**
** GNU Lesser General Public License Usage
** Alternatively, this file may be used under the terms of the GNU Lesser
** General Public License version 3 as published by the Free Software
** Foundation and appearing in the file LICENSE.LGPLv3 included in the
** packaging of this file. Please review the following information to
** ensure the GNU Lesser General Public License version 3 requirements
** will be met: https://www.gnu.org/licenses/lgpl.html.
**
** GNU General Public License Usage
** Alternatively, this file may be used under the terms of the GNU
** General Public License version 2.0 or later as published by the Free
** Software Foundation and appearing in the file LICENSE.GPL included in
** the packaging of this file. Please review the following information to
** ensure the GNU General Public License version 2.0 requirements will be
** met: http://www.gnu.org/licenses/gpl-2.0.html.
**
** $QT_END_LICENSE$
**
****************************************************************************/
#ifndef QT3D_CAMERA_P_H
#define QT3D_CAMERA_P_H
#include <Qt3DCore/qcameralens.h>
#include <Qt3DCore/qlookattransform.h>
#include <Qt3DCore/qtransform.h>
#include <private/qentity_p.h>
QT_BEGIN_NAMESPACE
namespace Qt3D {
class QT3DCORESHARED_EXPORT QCameraPrivate : public QEntityPrivate
{
public:
QCameraPrivate();
Q_DECLARE_PUBLIC(QCamera)
QCameraLens *m_lens;
QTransform *m_transform;
QLookAtTransform *m_lookAt;
};
} // namespace Qt3D
QT_END_NAMESPACE
#endif // QT3D_CAMERA_P_H
| [
"2539722953@qq.com"
] | 2539722953@qq.com |
73d9c3374fe75dd4bd18989a6f874733e76641eb | 7667f33610a3809e2543cdee0db23ff010d9a3d2 | /vector.cpp | 2b9d783f1967a112be9745d050e27d13e49f5159 | [] | no_license | Advsance/The-rain-female-without-a-melon | b882e130155c21992e9bbe64c6b59a2206dcdeba | 75a20927077b356e4d9f69ab1ce5c7411a60b8e3 | refs/heads/master | 2020-06-27T19:48:14.754617 | 2020-04-17T01:48:28 | 2020-04-17T01:48:28 | 200,033,550 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 950 | cpp | #include <iostream>
#include<algorithm>
using namespace std;
#include<vector>
#include<string>
#if 0
void test(vector<int> t)
{
t.push_back(1);
t.push_back(2);
vector<int>::iterator it = t.begin();
while (it!=t.end())
{
cout << *it << endl;
it++;
}
it = t.begin();
while (it!=t.end()) {
*it = 520;
it++;
}
it = t.begin();
while (it != t.end())
{
cout << *it << endl;
it++;
}
return ;
}
void VectorPrintf(vector<int> t) {
vector<int>::iterator it = t.begin();
while (it != t.end())
{
cout << *it << endl;
it++;
}
return;
}
void test2(vector<int> t) {
int a[] = { 1,2,3,4 };
vector<int> e(a, a + sizeof(a) / sizeof(int));
VectorPrintf(e);
vector<int>::iterator pos = find(e.begin(),e.end());
return;
}
int main()
{
vector<int> t;
// test(t);
test2(t);
system("pause");
return 0;
}
#endif
int main()
{
string A("adsfa");
string B(A);
cout << B<< endl;
cout << A << endl;
system("pause");
return 0;
} | [
"1365460736@qq.com"
] | 1365460736@qq.com |
608588735a3a4cdc4d7e592ca522b6dd4dc23030 | 1cacbe790f7c6e04ca6b0068c7b2231ed2b827e1 | /Oolong Engine2/Examples/Renderer/Tutorials/08 Shaders Demo (3DShaders.com)/Classes/Shader/3DShaders.src/Model.cpp | 0baa6700082393e58725784f6ccec8d0a5c31964 | [
"BSD-3-Clause"
] | permissive | tianxiao/oolongengine | f3d2d888afb29e19ee93f28223fce6ea48f194ad | 8d80085c65ff3eed548549657e7b472671789e6a | refs/heads/master | 2020-05-30T06:02:32.967513 | 2010-05-05T05:52:03 | 2010-05-05T05:52:03 | 8,245,292 | 3 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 15,443 | cpp | //
// Author: Philip Rideout
// Copyright: 2002-2006 3Dlabs Inc. Ltd. All rights reserved.
// License: see 3Dlabs-license.txt
//
#include "App.h"
#include <wx/wx.h>
#include "Model.h"
#include "Surface.h"
#include "Alien.h"
#include "Tables.h"
#include "Frame.h"
#include <cmath>
#include "os.h"
#include "glut_teapot.h"
void TModel::UpdateAttributes(unsigned programHandle)
{
if (!glGetAttribLocation || !programHandle)
return;
if (tangentLoc != glGetAttribLocation(programHandle, "Tangent") ||
binormalLoc != glGetAttribLocation(programHandle, "Binormal"))
Reload();
}
void TModel::Load(int tessFactor)
{
if (id == Id::ModelExternal)
return;
unsigned programHandle = wxGetApp().GetCurrentProgram().GetHandle();
int newTangentLoc = -1;
int newBinormalLoc = -1;
if (glGetAttribLocation && programHandle)
{
newTangentLoc = glGetAttribLocation(programHandle, "Tangent");
newBinormalLoc = glGetAttribLocation(programHandle, "Binormal");
}
if (tangentLoc != newTangentLoc || binormalLoc != newBinormalLoc || slices != tessFactor)
dirty = true;
if (!dirty) {
wxGetApp().UpdateVerts(numVertices);
return;
}
if (tessFactor != -1)
slices = tessFactor;
tangentLoc = newTangentLoc;
binormalLoc = newBinormalLoc;
wxGetApp().PushMessage("Generating display list...");
glNewList(glid, GL_COMPILE);
switch (id) {
case Id::ModelAlien: numVertices = 0; wxGetApp().Errorf("Alien should be handled in the derived class.\n"); break;
case Id::ModelRealizm: numVertices = 0; wxGetApp().Errorf("Realizm should be handled in the derived class.\n"); break;
case Id::ModelSphere: numVertices = TSphere().Draw(slices, tangentLoc, binormalLoc); break;
case Id::ModelTorus: numVertices = TTorus().Draw(slices, tangentLoc, binormalLoc); break;
case Id::ModelTrefoil: numVertices = TTrefoil().Draw(slices, tangentLoc, binormalLoc); break;
case Id::ModelConic: numVertices = TConic().Draw(slices, tangentLoc, binormalLoc); break;
case Id::ModelKlein: numVertices = TKlein().Draw(slices, tangentLoc, binormalLoc); break;
case Id::ModelPointCloud: numVertices = drawCloud(); break;
case Id::ModelBlobbyCloud: numVertices = 0; wxGetApp().Errorf("BlobbyCloud should be handled in the derived class.\n"); break;
case Id::ModelBigPlane:
numVertices = TPlane(.001f, 5).Draw(slices, tangentLoc, binormalLoc);
break;
case Id::ModelPlane:
// We actually draw two planes back-to-back.
glEnable(GL_CULL_FACE);
glCullFace(GL_BACK);
numVertices = TPlane(-.001f).Draw(slices, tangentLoc, binormalLoc);
numVertices += TPlane(.001f).Draw(slices, tangentLoc, binormalLoc);
glDisable(GL_CULL_FACE);
break;
case Id::ModelTeapot:
translateTeapot(0, 0, -.5f);
numVertices = teapot(slices, 1, GL_FILL);
break;
}
glEndList();
dirty = false;
wxGetApp().UpdateVerts(numVertices);
wxGetApp().PopMessage();
}
void TModel::Load(const char* filename)
{
if (!filename)
return;
if (!this->filename || strcmp(this->filename, filename))
dirty = true;
if (!dirty) {
wxGetApp().UpdateVerts(numVertices);
return;
}
delete this->filename;
this->filename = new char[strlen(filename) + 1];
strcpy(this->filename, filename);
numVertices = 0;
glNewList(glid, GL_COMPILE);
numVertices = drawFile();
glEndList();
dirty = false;
wxGetApp().UpdateVerts(numVertices);
}
void TModel::Draw() const
{
glCallList(glid);
}
int TModel::drawCloud()
{
int totalVerts = 0;
float slices = this->slices * 100;
glDisable(GL_LIGHTING);
glDisable(GL_TEXTURE_2D);
glDisable(GL_TEXTURE_3D);
glEnable(GL_BLEND);
glColor4f(1,1,1,0.5f);
glBegin(GL_POINTS);
while (slices--) {
float radius = (float) rand() / RAND_MAX;
float u = twopi * (float) rand() / RAND_MAX;
float v = twopi * (float) rand() / RAND_MAX;
float x = radius * cosf(v) * sinf(u);
float z = radius * sinf(v) * sinf(u);
float y = radius * cosf(u);
float r = (float) rand() / RAND_MAX;
float g = (float) rand() / RAND_MAX;
float b = (float) rand() / RAND_MAX;
float a = (float) rand() / RAND_MAX;
glColor4f(r, g, b, a);
glVertex3f(x, y, z);
++totalVerts;
}
glEnd();
glDisable(GL_BLEND);
return totalVerts;
}
int TModel::drawFile()
{
int totalVerts = 0;
FILE* file = fopen(filename, "r");
bool texgen = true;
char buf[128];
#define SAFE_STRING "%127s"
if (!file) {
wxGetApp().Errorf("Unable to open model file '%s'.\n", filename);
TPlane(0).Draw(10);
return 0;
}
unsigned numNormals = 0;
unsigned numTexCoords = 0;
unsigned numVertices = 0;
wxGetApp().Statusf("Loading '%s'. Obtaining size of model...", filename);
while(fscanf(file, SAFE_STRING, buf) != EOF) {
if (buf[0] == 'v') {
switch (buf[1]) {
case 'n': ++numNormals; break;
case 't': ++numTexCoords; texgen = false; break;
default: ++numVertices; break;
}
}
fgets(buf, sizeof(buf), file);
}
rewind(file);
float* vertices = new float[numVertices * 3 + 3];
float* texCoords = new float[numTexCoords * 2 + 2];
float* normals = new float[numNormals * 3 + 3];
float* pVertices = vertices + 3;
float* pTexCoords = texCoords + 2;
float* pNormals = normals + 3;
float minX = 1000, maxX = -1000;
float minY = 1000, maxY = -1000;
float minZ = 1000, maxZ = -1000;
wxGetApp().Statusf("Loading '%s'. Reading vertex data...", filename);
while(fscanf(file, SAFE_STRING, buf) != EOF) {
if (buf[0] != 'v') {
fgets(buf, sizeof(buf), file);
continue;
}
switch (buf[1]) {
case 'n':
fscanf(file, "%f %f %f", pNormals, pNormals + 1, pNormals + 2);
pNormals += 3;
break;
case 't':
fscanf(file, "%f %f", pTexCoords, pTexCoords + 1);
pTexCoords += 2;
break;
default:
fscanf(file, "%f %f %f", pVertices, pVertices + 1, pVertices + 2);
if (*pVertices > maxX) maxX = *pVertices;
if (*pVertices < minX) minX = *pVertices;
++pVertices;
if (*pVertices > maxY) maxY = *pVertices;
if (*pVertices < minY) minY = *pVertices;
++pVertices;
if (*pVertices > maxZ) maxZ = *pVertices;
if (*pVertices < minZ) minZ = *pVertices;
++pVertices;
break;
}
}
rewind(file);
float offsetX = -(maxX + minX) / 2;
float offsetY = -1 - minY / (maxY - minY);
float offsetZ = -(maxZ + minZ) / 2;
float scaleX = (maxX - minX);
float scaleY = (maxY - minY);
float scaleZ = (maxZ - minZ);
float scale = std::max(std::max(scaleX, scaleY), scaleZ) / 2;
center.y = -1 + (maxY - minY) / (2 * scale);
for (unsigned i = 1; i < numVertices + 1; ++i) {
vertices[i*3] += offsetX;
vertices[i*3] /= scale;
vertices[i*3 + 1] += offsetY;
vertices[i*3 + 1] /= scale;
vertices[i*3 + 2] += offsetZ;
vertices[i*3 + 2] /= scale;
}
unsigned v0, t0, n0;
unsigned v1, t1, n1;
unsigned v2, t2, n2;
if (texgen) {
glEnable(GL_TEXTURE_GEN_S);
glEnable(GL_TEXTURE_GEN_T);
glTexGeni(GL_S, GL_TEXTURE_GEN_MODE, GL_OBJECT_LINEAR);
glTexGeni(GL_T, GL_TEXTURE_GEN_MODE, GL_OBJECT_LINEAR);
}
wxGetApp().Statusf("Loading '%s'. Building display list...", filename);
glBegin(GL_TRIANGLES);
while(fscanf(file, SAFE_STRING, buf) != EOF) {
if (buf[0] != 'f') {
fgets(buf, sizeof(buf), file);
continue;
}
fscanf(file, SAFE_STRING, buf);
//
// VN
//
if (strstr(buf, "//")) {
sscanf(buf, "%d//%d", &v0, &n0);
fscanf(file, "%d//%d", &v1, &n1);
fscanf(file, "%d//%d", &v2, &n2);
glNormal3fv(normals + n0 * 3);
glVertex3fv(vertices + v0 * 3);
glNormal3fv(normals + n1 * 3);
glVertex3fv(vertices + v1 * 3);
glNormal3fv(normals + n2 * 3);
glVertex3fv(vertices + v2 * 3);
totalVerts += 3;
while(fscanf(file, "%d//%d", &v1, &n1) > 0) {
glNormal3fv(normals + n0 * 3);
glVertex3fv(vertices + v0 * 3);
glNormal3fv(normals + n2 * 3);
glVertex3fv(vertices + v2 * 3);
glNormal3fv(normals + n1 * 3);
glVertex3fv(vertices + v1 * 3);
totalVerts += 3;
v2 = v1; n2 = n1;
}
}
//
// VTN
//
else if (sscanf(buf, "%d/%d/%d", &v0, &t0, &n0) == 3) {
fscanf(file, "%d/%d/%d", &v1, &t1, &n1);
fscanf(file, "%d/%d/%d", &v2, &t2, &n2);
glTexCoord2fv(texCoords + t0 * 2);
glNormal3fv(normals + n0 * 3);
glVertex3fv(vertices + v0 * 3);
glTexCoord2fv(texCoords + t1 * 2);
glNormal3fv(normals + n1 * 3);
glVertex3fv(vertices + v1 * 3);
glTexCoord2fv(texCoords + t2 * 2);
glNormal3fv(normals + n2 * 3);
glVertex3fv(vertices + v2 * 3);
totalVerts += 3;
while(fscanf(file, "%d/%d/%d", &v1, &t1, &n1) > 0) {
glTexCoord2fv(texCoords + t0 * 2);
glNormal3fv(normals + n0 * 3);
glVertex3fv(vertices + v0 * 3);
glTexCoord2fv(texCoords + t2 * 2);
glNormal3fv(normals + n2 * 3);
glVertex3fv(vertices + v2 * 3);
glTexCoord2fv(texCoords + t1 * 2);
glNormal3fv(normals + n1 * 3);
glVertex3fv(vertices + v1 * 3);
totalVerts += 3;
v2 = v1; t2 = t1; n2 = n1;
}
}
//
// VT
//
else if (sscanf(buf, "%d/%d", &v0, &t0) == 2) {
fscanf(file, "%d/%d", &v1, &t1);
fscanf(file, "%d/%d", &v2, &t2);
glTexCoord3fv(texCoords + t0 * 2);
glVertex3fv(vertices + v0 * 3);
glTexCoord3fv(texCoords + t1 * 2);
glVertex3fv(vertices + v1 * 3);
glTexCoord3fv(texCoords + t2 * 2);
glVertex3fv(vertices + v2 * 3);
totalVerts += 3;
while(fscanf(file, "%d/%d", &v1, &t1) > 0) {
glTexCoord3fv(texCoords + t0 * 2);
glVertex3fv(vertices + v0 * 3);
glTexCoord3fv(texCoords + t2 * 2);
glVertex3fv(vertices + v2 * 3);
glTexCoord3fv(normals + t1 * 2);
glVertex3fv(vertices + v1 * 3);
totalVerts += 3;
v2 = v1; t2 = t1;
}
}
//
// V
//
else {
sscanf(buf, "%d", &v0);
fscanf(file, "%d", &v1);
fscanf(file, "%d", &v2);
glVertex3fv(vertices + v0 * 3);
glVertex3fv(vertices + v1 * 3);
glVertex3fv(vertices + v2 * 3);
totalVerts += 3;
while(fscanf(file, "%d", &v1) > 0) {
glVertex3fv(vertices + v0 * 3);
glVertex3fv(vertices + v2 * 3);
glVertex3fv(vertices + v1 * 3);
totalVerts += 3;
v2 = v1;
}
}
}
glEnd();
wxGetApp().Ready();
if (texgen) {
glDisable(GL_TEXTURE_GEN_S);
glDisable(GL_TEXTURE_GEN_T);
}
delete vertices;
delete texCoords;
delete normals;
fclose(file);
return totalVerts;
#undef SAFE_STRING
}
void TModel::ResetTesselation()
{
if (wxGetApp().Simple()) {
switch (id) {
case Id::ModelRealizm: slices = 10; break;
case Id::ModelAlien: slices = 10; break;
case Id::ModelSphere: slices = 20; break;
case Id::ModelTorus: slices = 20; break;
case Id::ModelTrefoil: slices = 50; break;
case Id::ModelConic: slices = 30; break;
case Id::ModelKlein: slices = 30; break;
case Id::ModelPointCloud: slices = 30; break;
case Id::ModelBlobbyCloud: slices = 20; break;
case Id::ModelPlane: slices = 2; break;
case Id::ModelTeapot: slices = 5; break;
default: slices = 10;
}
} else {
switch (id) {
case Id::ModelRealizm: slices = 30; break;
case Id::ModelAlien: slices = 30; break;
case Id::ModelSphere: slices = 40; break;
case Id::ModelTorus: slices = 40; break;
case Id::ModelTrefoil: slices = 100; break;
case Id::ModelConic: slices = 80; break;
case Id::ModelKlein: slices = 90; break;
case Id::ModelPointCloud: slices = 80; break;
case Id::ModelBlobbyCloud: slices = 40; break;
case Id::ModelPlane: slices = 2; break;
case Id::ModelTeapot: slices = 9; break;
default: slices = 10;
}
}
wxGetApp().Frame()->Enable(Id::ModelDecreaseTesselation);
dirty = true;
}
int TModel::MinimumTesselation() const
{
switch (id) {
case Id::ModelRealizm: return 10;
case Id::ModelAlien: return 30;
case Id::ModelSphere: return 40;
case Id::ModelTorus: return 40;
case Id::ModelTrefoil: return 100;
case Id::ModelConic: return 80;
case Id::ModelKlein: return 10;
case Id::ModelPointCloud: return 80;
case Id::ModelBlobbyCloud: return 40;
case Id::ModelPlane: return 1;
case Id::ModelTeapot: return 1;
}
return 10;
}
int TModel::HighTesselation() const
{
switch (id) {
case Id::ModelBlobbyCloud: return 40;
case Id::ModelAlien: return 64;
}
return 512;
}
void TModel::IncreaseTesselation()
{
dirty = true;
Load(slices + 2);
wxGetApp().Frame()->Enable(Id::ModelDecreaseTesselation);
}
void TModel::DecreaseTesselation()
{
dirty = true;
if (slices - 2 < MinimumTesselation())
return;
Load(slices - 2);
if (slices - 2 < MinimumTesselation())
wxGetApp().Frame()->Disable(Id::ModelDecreaseTesselation);
}
void TModel::SetTesselation(int tessFactor)
{
slices = -1;
dirty = true;
Load(tessFactor);
return;
}
| [
"mozeal@7fa7efda-f44a-0410-a86a-c1fddb4bcab7"
] | mozeal@7fa7efda-f44a-0410-a86a-c1fddb4bcab7 |
f658ca745f6eb53ed6594f1308d57ba222884174 | 2fa764b33e15edd3b53175456f7df61a594f0bb5 | /appseed/base/base/os/windows/_windows_os.cpp | f17449a1ee0db638d39b5c7b90bf28417fb04fe9 | [] | no_license | PeterAlfonsLoch/app | 5f6ac8f92d7f468bc99e0811537380fcbd828f65 | 268d0c7083d9be366529e4049adedc71d90e516e | refs/heads/master | 2021-01-01T17:44:15.914503 | 2017-07-23T16:58:08 | 2017-07-23T16:58:08 | 98,142,329 | 1 | 0 | null | 2017-07-24T02:44:10 | 2017-07-24T02:44:10 | null | UTF-8 | C++ | false | false | 230 | cpp |
#include "windows.cpp"
#include "windows_dll.cpp"
#include "windows_simple_app.cpp"
#include "windows_system_interaction_impl.cpp"
#include "windows_window_gdi.cpp"
#include "windows_gdi.cpp"
#include "windows_extract_icon.cpp" | [
"camilo@ca2.email"
] | camilo@ca2.email |
dcf70bea8659a0169ce24381172fd62106933541 | 073d8ff2b0f45a5626c90187620393cdfdc70aa2 | /cpp/state/i_phone.h | 742984f27666723ff710e22e485f9e4457f95949 | [] | no_license | valboldakov/design-patterns | d23fba46c1fc049e20f49d3dfc39908c4058f8bc | 46b915208afaf9234ef0eb29437a5b44d9d7c050 | refs/heads/master | 2022-11-26T18:09:05.495359 | 2020-08-07T10:44:13 | 2020-08-07T10:44:13 | 268,083,669 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 263 | h | #ifndef I_PHONE_H
#define I_PHONE_H
#include <memory>
#include "i_phone_state.h"
class IPhone {
public:
virtual void lock_screen() = 0;
virtual void increase_audio() = 0;
virtual void set_state(std::shared_ptr<IPhoneState> state) = 0;
};
#endif
| [
"valboldakov@gmail.com"
] | valboldakov@gmail.com |
6facf11452a25ab4f1aecd6838e5e8c6d441ace2 | dfeebff812ee66a1a4bfc8dae6f7eebab25c7c17 | /C++/USACO/Silver/2020/USOpen/socdist.cpp | 94d8a7f091b5ff13d8c0fefce4e79148cc063a6d | [] | no_license | kushnayak/competitive-programming | ee7c709969bd69cb31837a0639af661c672c504d | 785a03323b956fdb0618e92dd54db9b141191205 | refs/heads/master | 2023-03-21T01:54:33.813007 | 2021-03-17T18:54:53 | 2021-03-17T18:54:53 | 277,401,853 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,576 | cpp | #include <bits/stdc++.h>
#define forn(i,n) for(int i=0;i<n;i++)
#define for1(i,n) for(int i=1;i<=n;i++)
#define sz(v) int((v).size())
#define all(v) (v).begin(),(v).end()
#define nl '\n'
#define pb push_back
using namespace std;
using ll = long long;
using pii = pair<ll, ll>;
#define s first
#define e second
ll n, m;
pii p[100005];
/*
Solution:
Greedy+Binary Search. We know this function is montonic; if we are able to separate all cows with a
minimum distance of D, we can seperate all cows with a distance d<D (becuase then there wil be
even more space to put cows). Now we just have to check of a value D, how many cows we can fit,
and we can do this first by sorting the intervals, then greedily by putting a cow at each
last pos + D in a interval and if that does not work move on to next interval.
Time complexity: O((N+M)log10^18)
*/
bool cmp(const pii &a, const pii &b){
return a.s < b.s;
}
// check if we can place cows at least d away
bool check(ll d){
ll used=0;
int i=0;
ll last = p[0].s-d;
while(i<m){
if(p[i].s-last>d){
last = p[i].s;
used++;
}
while(p[i].s<=last+d && last+d<=p[i].e){
last += d;
used++;
}
i++;
}
return used>=n;
}
ll search(){
ll maxn=1e18+1, pos=0;
for(ll a=maxn; a>=1; a/=2)
while(check(pos+a))
pos += a;
return pos;
}
int main() {
#define IO(f) cin.tie(0)->sync_with_stdio(0); if (fopen(f ".in", "r")) freopen(f ".in","r",stdin), freopen(f ".out","w",stdout)
IO("socdist");
cin >> n >> m;
forn(i,m) cin >> p[i].s >> p[i].e;
sort(p,p+m,cmp);
cout << search() << nl;
}
| [
"kushnayak123@gmail.com"
] | kushnayak123@gmail.com |
f6e947db5e1c0601d4487e238e4bd6971eb99b0a | b7e97047616d9343be5b9bbe03fc0d79ba5a6143 | /src/protocols/antibody/design/AntibodyDesignProtocol.hh | 4ded8de97f14aa82e200b6d687f7b0e246f0049e | [] | no_license | achitturi/ROSETTA-main-source | 2772623a78e33e7883a453f051d53ea6cc53ffa5 | fe11c7e7cb68644f404f4c0629b64da4bb73b8f9 | refs/heads/master | 2021-05-09T15:04:34.006421 | 2018-01-26T17:10:33 | 2018-01-26T17:10:33 | 119,081,547 | 1 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 5,416 | hh | // -*- mode:c++;tab-width:2;indent-tabs-mode:t;show-trailing-whitespace:t;rm-trailing-spaces:t -*-
// vi: set ts=2 noet:
//
// (c) Copyright Rosetta Commons Member Institutions.
// (c) This file is part of the Rosetta software suite and is made available under license.
// (c) The Rosetta software is developed by the contributing members of the Rosetta Commons.
// (c) For more information, see http://www.rosettacommons.org. Questions about this can be
// (c) addressed to University of Washington CoMotion, email: license@uw.edu.
/// @file protocols/antibody/design/AntibodyDesignProtocol.hh
/// @brief Handles the Antibody Design Protocol.
/// @author Jared Adolf-Bryfogle (jadolfbr@gmail.com)
#ifndef INCLUDED_protocols_antibody_design_AntibodyDesignProtocol_hh
#define INCLUDED_protocols_antibody_design_AntibodyDesignProtocol_hh
#include <protocols/antibody/design/AntibodyDesignProtocol.fwd.hh>
#include <protocols/antibody/design/GeneralAntibodyModeler.hh>
#include <protocols/antibody/database/AntibodyDatabaseManager.hh>
#include <protocols/antibody/design/AntibodyDesignMover.hh>
#include <protocols/antibody/database/CDRSetOptions.hh>
#include <protocols/antibody/design/CDRGraftDesignOptions.hh>
#include <protocols/antibody/design/CDRSeqDesignOptions.hh>
#include <protocols/antibody/design/util.hh>
#include <protocols/antibody/AntibodyInfo.hh>
#include <protocols/antibody/constraints/CDRDihedralConstraintMover.fwd.hh>
#include <protocols/moves/Mover.hh>
#include <core/pose/Pose.fwd.hh>
#include <core/scoring/ScoreFunction.hh>
#include <utility/vector1.hh>
namespace protocols {
namespace antibody {
namespace design {
/// @brief Main AntibodyDesignProtocol, tieing together individual movers and classes. Main mover for application.
///
class AntibodyDesignProtocol : public protocols::moves::Mover {
public:
AntibodyDesignProtocol();
virtual ~AntibodyDesignProtocol();
AntibodyDesignProtocol( AntibodyDesignProtocol const & src );
protocols::moves::MoverOP
clone() const override;
protocols::moves::MoverOP
fresh_instance() const override;
bool
reinitialize_for_new_input() const override{
return true;
}
/// @brief Parse my tag for RosettaScripts. Main RS interface is in AntibodyDesignMover.
/// This is just a small implementation, controlled mainly through cmd-line flags.
void
parse_my_tag(
TagCOP tag,
basic::datacache::DataMap & data,
Filters_map const & filters,
moves::Movers_map const & movers,
Pose const & pose
) override;
////////////////////////////////////////////////////////////////////////////
// Optional Custom Settings
//
//
/// @brief Set the global scorefunction. Used for snugdock/relax/total energy/etc.
/// Not Used for Docking within the protocol.
void
set_scorefxn(core::scoring::ScoreFunctionOP scorefxn);
/// @brief Set the min scorefunction used by the AntibodyDesignMover during the Minimization step.
/// Should include dihedral_constraint weights if using default CDR constraints added during the protocol.
void
set_scorefxn_min(core::scoring::ScoreFunctionOP scorefxn);
/// @brief Set the instruction file path instead of reading it from the cmd-line options.
void
set_instruction_file_path(std::string instruction_file);
////////////////////////////////////////////////////////////////////////////
// Algorithm Settings
//
//
/// @brief Run SnugDock after main design runs
void
set_run_snugdock(bool setting);
/// @brief Run Dualspace Relax after main design runs
void
set_run_relax(bool setting);
////////////////////////////////////////////////////////////////////////////
// Main Method. All options read from cmd-line or set through individual classes.
//
//
void
apply( core::pose::Pose & pose ) override;
std::string
get_name() const override;
static
std::string
mover_name();
static
void
provide_xml_schema( utility::tag::XMLSchemaDefinition & xsd );
private:
void
read_cmd_line_options();
void
setup_design_mover();
/// @brief Set constraint and chainbreak score on scorefunction if not already set.
void
setup_scorefxns();
////////////////////////////////////////////////////////////////////////
////////////////////////////////////////////////////////////////////////
/// @brief Post-design step modeling. Less aggressive, more high resolution. Default false.
void
model_post_design(core::pose::Pose & pose);
void
analyze_LH_A_interface(core::pose::Pose & pose);
void
init_on_new_input( core::pose::Pose const & pose );
/// @brief Used to output ongoing current ensembles during the protocol. Specify a range in the vector to output
void
output_ensemble( utility::vector1< core::pose::PoseOP > ensemble, core::Size range_start, core::Size range_end, std::string prefix);
void
reorder_poses(utility::vector1<core::pose::PoseOP> & poses);
private:
AntibodyDesignMoverOP graft_designer_;
constraints::CDRDihedralConstraintMoverOP cdr_dihedral_cst_mover_;
core::scoring::ScoreFunctionOP scorefxn_;
core::scoring::ScoreFunctionOP scorefxn_min_;
AntibodyInfoOP ab_info_;
//AntibodyDatabaseManagerOP cdr_db_parser_;
bool run_graft_designer_;
bool run_snugdock_;
bool run_relax_;
bool remove_antigen_;
std::string instruction_file_;
utility::vector1<CDRNameEnum> design_override_;
};
} //design
} //antibody
} //protocols
#endif //INCLUDED_protocols_antibody_design_AntibodyDesignProtocol_hh
| [
"achitturi17059@gmail.com"
] | achitturi17059@gmail.com |
d1e5ba168ea91c38c06fcdaa3d2ce343b88e2d53 | a06a9ae73af6690fabb1f7ec99298018dd549bb7 | /_Library/_Include/boost/atomic/detail/ops_gcc_arm.hpp | 7546b646c0f0b5a17c81479f6f7d0a5b216b17af | [] | no_license | longstl/mus12 | f76de65cca55e675392eac162dcc961531980f9f | 9e1be111f505ac23695f7675fb9cefbd6fa876e9 | refs/heads/master | 2021-05-18T08:20:40.821655 | 2020-03-29T17:38:13 | 2020-03-29T17:38:13 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 42,907 | hpp | /*
* 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)
*
* Copyright (c) 2009 Helge Bahmann
* Copyright (c) 2013 Tim Blechmann
* Copyright (c) 2014 Andrey Semashev
*/
/*!
* \file atomic/detail/ops_gcc_arm.hpp
*
* This header contains implementation of the \c operations template.
*/
#ifndef BOOST_ATOMIC_DETAIL_OPS_GCC_ARM_HPP_INCLUDED_
#define BOOST_ATOMIC_DETAIL_OPS_GCC_ARM_HPP_INCLUDED_
#include <boost/cstdint.hpp>
#include <boost/memory_order.hpp>
#include <boost/atomic/detail/config.hpp>
#include <boost/atomic/detail/storage_type.hpp>
#include <boost/atomic/detail/operations_fwd.hpp>
#include <boost/atomic/detail/ops_extending_cas_based.hpp>
#include <boost/atomic/capabilities.hpp>
#ifdef BOOST_HAS_PRAGMA_ONCE
#pragma once
#endif
namespace boost {
namespace atomics {
namespace detail {
// From the ARM Architecture Reference Manual for architecture v6:
//
// LDREX{<cond>} <Rd>, [<Rn>]
// <Rd> Specifies the destination register for the memory word addressed by <Rd>
// <Rn> Specifies the register containing the address.
//
// STREX{<cond>} <Rd>, <Rm>, [<Rn>]
// <Rd> Specifies the destination register for the returned status value.
// 0 if the operation updates memory
// 1 if the operation fails to update memory
// <Rm> Specifies the register containing the word to be stored to memory.
// <Rn> Specifies the register containing the address.
// Rd must not be the same register as Rm or Rn.
//
// ARM v7 is like ARM v6 plus:
// There are half-word and byte versions of the LDREX and STREX instructions,
// LDREXH, LDREXB, STREXH and STREXB.
// There are also double-word versions, LDREXD and STREXD.
// (Actually it looks like these are available from version 6k onwards.)
// FIXME these are not yet used; should be mostly a matter of copy-and-paste.
// I think you can supply an immediate offset to the address.
//
// A memory barrier is effected using a "co-processor 15" instruction,
// though a separate assembler mnemonic is available for it in v7.
//
// "Thumb 1" is a subset of the ARM instruction set that uses a 16-bit encoding. It
// doesn't include all instructions and in particular it doesn't include the co-processor
// instruction used for the memory barrier or the load-locked/store-conditional
// instructions. So, if we're compiling in "Thumb 1" mode, we need to wrap all of our
// asm blocks with code to temporarily change to ARM mode.
//
// You can only change between ARM and Thumb modes when branching using the bx instruction.
// bx takes an address specified in a register. The least significant bit of the address
// indicates the mode, so 1 is added to indicate that the destination code is Thumb.
// A temporary register is needed for the address and is passed as an argument to these
// macros. It must be one of the "low" registers accessible to Thumb code, specified
// using the "l" attribute in the asm statement.
//
// Architecture v7 introduces "Thumb 2", which does include (almost?) all of the ARM
// instruction set. (Actually, there was an extension of v6 called v6T2 which supported
// "Thumb 2" mode, but its architecture manual is no longer available, referring to v7.)
// So in v7 we don't need to change to ARM mode; we can write "universal
// assembler" which will assemble to Thumb 2 or ARM code as appropriate. The only thing
// we need to do to make this "universal" assembler mode work is to insert "IT" instructions
// to annotate the conditional instructions. These are ignored in other modes (e.g. v6),
// so they can always be present.
// A note about memory_order_consume. Technically, this architecture allows to avoid
// unnecessary memory barrier after consume load since it supports data dependency ordering.
// However, some compiler optimizations may break a seemingly valid code relying on data
// dependency tracking by injecting bogus branches to aid out of order execution.
// This may happen not only in Boost.Atomic code but also in user's code, which we have no
// control of. See this thread: http://lists.boost.org/Archives/boost/2014/06/213890.php.
// For this reason we promote memory_order_consume to memory_order_acquire.
#if defined(__thumb__) && !defined(__thumb2__)
#define BOOST_ATOMIC_DETAIL_ARM_ASM_START(TMPREG) "adr " #TMPREG ", 8f\n" "bx " #TMPREG "\n" ".arm\n" ".align 4\n" "8:\n"
#define BOOST_ATOMIC_DETAIL_ARM_ASM_END(TMPREG) "adr " #TMPREG ", 9f + 1\n" "bx " #TMPREG "\n" ".thumb\n" ".align 2\n" "9:\n"
#define BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(var) "=&l" (var)
#else
// The tmpreg may be wasted in this case, which is non-optimal.
#define BOOST_ATOMIC_DETAIL_ARM_ASM_START(TMPREG)
#define BOOST_ATOMIC_DETAIL_ARM_ASM_END(TMPREG)
#define BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(var) "=&r" (var)
#endif
struct gcc_arm_operations_base
{
static BOOST_FORCEINLINE void fence_before(memory_order order) BOOST_NOEXCEPT
{
if ((order & memory_order_release) != 0)
hardware_full_fence();
}
static BOOST_FORCEINLINE void fence_after(memory_order order) BOOST_NOEXCEPT
{
if ((order & (memory_order_consume | memory_order_acquire)) != 0)
hardware_full_fence();
}
static BOOST_FORCEINLINE void fence_after_store(memory_order order) BOOST_NOEXCEPT
{
if (order == memory_order_seq_cst)
hardware_full_fence();
}
static BOOST_FORCEINLINE void hardware_full_fence() BOOST_NOEXCEPT
{
#if defined(BOOST_ATOMIC_DETAIL_ARM_HAS_DMB)
// Older binutils (supposedly, older than 2.21.1) didn't support symbolic or numeric arguments of the "dmb" instruction such as "ish" or "#11".
// As a workaround we have to inject encoded bytes of the instruction. There are two encodings for the instruction: ARM and Thumb. See ARM Architecture Reference Manual, A8.8.43.
// Since we cannot detect binutils version at compile time, we'll have to always use this hack.
__asm__ __volatile__
(
#if defined(__thumb2__)
".short 0xF3BF, 0x8F5B\n" // dmb ish
#else
".word 0xF57FF05B\n" // dmb ish
#endif
:
:
: "memory"
);
#else
int tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"mcr\tp15, 0, r0, c7, c10, 5\n"
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: "=&l" (tmp)
:
: "memory"
);
#endif
}
};
template< bool Signed >
struct operations< 4u, Signed > :
public gcc_arm_operations_base
{
typedef typename make_storage_type< 4u, Signed >::type storage_type;
static BOOST_FORCEINLINE void store(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage = v;
fence_after_store(order);
}
static BOOST_FORCEINLINE storage_type load(storage_type const volatile& storage, memory_order order) BOOST_NOEXCEPT
{
storage_type v = storage;
fence_after(order);
return v;
}
static BOOST_FORCEINLINE storage_type exchange(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
storage_type original;
fence_before(order);
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // load the original value
"strex %[tmp], %[value], %[storage]\n" // store the replacement, tmp = store failed
"teq %[tmp], #0\n" // check if store succeeded
"bne 1b\n"
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [tmp] "=&l" (tmp), [original] "=&r" (original), [storage] "+Q" (storage)
: [value] "r" (v)
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE bool compare_exchange_weak(
storage_type volatile& storage, storage_type& expected, storage_type desired, memory_order success_order, memory_order failure_order) BOOST_NOEXCEPT
{
fence_before(success_order);
uint32_t success;
uint32_t tmp;
storage_type original;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"mov %[success], #0\n" // success = 0
"ldrex %[original], %[storage]\n" // original = *(&storage)
"cmp %[original], %[expected]\n" // flags = original==expected
"itt eq\n" // [hint that the following 2 instructions are conditional on flags.equal]
"strexeq %[success], %[desired], %[storage]\n" // if (flags.equal) *(&storage) = desired, success = store failed
"eoreq %[success], %[success], #1\n" // if (flags.equal) success ^= 1 (i.e. make it 1 if store succeeded)
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[success] "=&r" (success), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [expected] "r" (expected), // %4
[desired] "r" (desired) // %5
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
if (success)
fence_after(success_order);
else
fence_after(failure_order);
expected = original;
return !!success;
}
static BOOST_FORCEINLINE bool compare_exchange_strong(
storage_type volatile& storage, storage_type& expected, storage_type desired, memory_order success_order, memory_order failure_order) BOOST_NOEXCEPT
{
fence_before(success_order);
uint32_t success;
uint32_t tmp;
storage_type original;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"mov %[success], #0\n" // success = 0
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"cmp %[original], %[expected]\n" // flags = original==expected
"bne 2f\n" // if (!flags.equal) goto end
"strex %[success], %[desired], %[storage]\n" // *(&storage) = desired, success = store failed
"eors %[success], %[success], #1\n" // success ^= 1 (i.e. make it 1 if store succeeded); flags.equal = success == 0
"beq 1b\n" // if (flags.equal) goto retry
"2:\n"
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[success] "=&r" (success), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [expected] "r" (expected), // %4
[desired] "r" (desired) // %5
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
if (success)
fence_after(success_order);
else
fence_after(failure_order);
expected = original;
return !!success;
}
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"add %[result], %[original], %[value]\n" // result = original + value
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"sub %[result], %[original], %[value]\n" // result = original - value
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_and(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"and %[result], %[original], %[value]\n" // result = original & value
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_or(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"orr %[result], %[original], %[value]\n" // result = original | value
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_xor(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"eor %[result], %[original], %[value]\n" // result = original ^ value
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE bool test_and_set(storage_type volatile& storage, memory_order order) BOOST_NOEXCEPT
{
return !!exchange(storage, (storage_type)1, order);
}
static BOOST_FORCEINLINE void clear(storage_type volatile& storage, memory_order order) BOOST_NOEXCEPT
{
store(storage, 0, order);
}
static BOOST_FORCEINLINE bool is_lock_free(storage_type const volatile&) BOOST_NOEXCEPT
{
return true;
}
};
template< >
struct operations< 1u, false > :
public operations< 4u, false >
{
typedef operations< 4u, false > base_type;
typedef base_type::storage_type storage_type;
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"add %[result], %[original], %[value]\n" // result = original + value
"uxtb %[result], %[result]\n" // zero extend result from 8 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"sub %[result], %[original], %[value]\n" // result = original - value
"uxtb %[result], %[result]\n" // zero extend result from 8 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
};
template< >
struct operations< 1u, true > :
public operations< 4u, true >
{
typedef operations< 4u, true > base_type;
typedef base_type::storage_type storage_type;
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"add %[result], %[original], %[value]\n" // result = original + value
"sxtb %[result], %[result]\n" // sign extend result from 8 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"sub %[result], %[original], %[value]\n" // result = original - value
"sxtb %[result], %[result]\n" // sign extend result from 8 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
};
template< >
struct operations< 2u, false > :
public operations< 4u, false >
{
typedef operations< 4u, false > base_type;
typedef base_type::storage_type storage_type;
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"add %[result], %[original], %[value]\n" // result = original + value
"uxth %[result], %[result]\n" // zero extend result from 16 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"sub %[result], %[original], %[value]\n" // result = original - value
"uxth %[result], %[result]\n" // zero extend result from 16 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
};
template< >
struct operations< 2u, true > :
public operations< 4u, true >
{
typedef operations< 4u, true > base_type;
typedef base_type::storage_type storage_type;
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"add %[result], %[original], %[value]\n" // result = original + value
"sxth %[result], %[result]\n" // sign extend result from 16 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
uint32_t tmp;
storage_type original, result;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%[tmp])
"1:\n"
"ldrex %[original], %[storage]\n" // original = *(&storage)
"sub %[result], %[original], %[value]\n" // result = original - value
"sxth %[result], %[result]\n" // sign extend result from 16 to 32 bits
"strex %[tmp], %[result], %[storage]\n" // *(&storage) = result, tmp = store failed
"teq %[tmp], #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%[tmp])
: [original] "=&r" (original), // %0
[result] "=&r" (result), // %1
[tmp] "=&l" (tmp), // %2
[storage] "+Q" (storage) // %3
: [value] "r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC
);
fence_after(order);
return original;
}
};
#if defined(BOOST_ATOMIC_DETAIL_ARM_HAS_LDREXD_STREXD)
// Unlike 32-bit operations, for 64-bit loads and stores we must use ldrexd/strexd.
// Any other instructions result in a non-atomic sequence of 32-bit accesses.
// See "ARM Architecture Reference Manual ARMv7-A and ARMv7-R edition",
// Section A3.5.3 "Atomicity in the ARM architecture".
// In the asm blocks below we have to use 32-bit register pairs to compose 64-bit values.
// In order to pass the 64-bit operands to/from asm blocks, we use undocumented gcc feature:
// the lower half (Rt) of the operand is accessible normally, via the numbered placeholder (e.g. %0),
// and the upper half (Rt2) - via the same placeholder with an 'H' after the '%' sign (e.g. %H0).
// See: http://hardwarebug.org/2010/07/06/arm-inline-asm-secrets/
template< bool Signed >
struct operations< 8u, Signed > :
public gcc_arm_operations_base
{
typedef typename make_storage_type< 8u, Signed >::type storage_type;
static BOOST_FORCEINLINE void store(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
exchange(storage, v, order);
}
static BOOST_FORCEINLINE storage_type load(storage_type const volatile& storage, memory_order order) BOOST_NOEXCEPT
{
storage_type original;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"ldrexd %1, %H1, [%2]\n"
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original) // %1
: "r" (&storage) // %2
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type exchange(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
storage_type original;
fence_before(order);
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // load the original value
"strexd %0, %2, %H2, [%3]\n" // store the replacement, tmp = store failed
"teq %0, #0\n" // check if store succeeded
"bne 1b\n"
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original) // %1
: "r" (v), // %2
"r" (&storage) // %3
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE bool compare_exchange_weak(
storage_type volatile& storage, storage_type& expected, storage_type desired, memory_order success_order, memory_order failure_order) BOOST_NOEXCEPT
{
fence_before(success_order);
uint32_t tmp;
storage_type original, old_val = expected;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"cmp %1, %2\n" // flags = original.lo==old_val.lo
"ittt eq\n" // [hint that the following 3 instructions are conditional on flags.equal]
"cmpeq %H1, %H2\n" // if (flags.equal) flags = original.hi==old_val.hi
"strexdeq %0, %4, %H4, [%3]\n" // if (flags.equal) *(&storage) = desired, tmp = store failed
"teqeq %0, #0\n" // if (flags.equal) flags = tmp==0
"ite eq\n" // [hint that the following 2 instructions are conditional on flags.equal]
"moveq %2, #1\n" // if (flags.equal) old_val.lo = 1
"movne %2, #0\n" // if (!flags.equal) old_val.lo = 0
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"+r" (old_val) // %2
: "r" (&storage), // %3
"r" (desired) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
const uint32_t success = (uint32_t)old_val;
if (success)
fence_after(success_order);
else
fence_after(failure_order);
expected = original;
return !!success;
}
static BOOST_FORCEINLINE bool compare_exchange_strong(
storage_type volatile& storage, storage_type& expected, storage_type desired, memory_order success_order, memory_order failure_order) BOOST_NOEXCEPT
{
fence_before(success_order);
uint32_t tmp;
storage_type original, old_val = expected;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"cmp %1, %2\n" // flags = original.lo==old_val.lo
"it eq\n" // [hint that the following instruction is conditional on flags.equal]
"cmpeq %H1, %H2\n" // if (flags.equal) flags = original.hi==old_val.hi
"bne 2f\n" // if (!flags.equal) goto end
"strexd %0, %4, %H4, [%3]\n" // *(&storage) = desired, tmp = store failed
"teq %0, #0\n" // flags.equal = tmp == 0
"bne 1b\n" // if (flags.equal) goto retry
"2:\n"
"ite eq\n" // [hint that the following 2 instructions are conditional on flags.equal]
"moveq %2, #1\n" // if (flags.equal) old_val.lo = 1
"movne %2, #0\n" // if (!flags.equal) old_val.lo = 0
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"+r" (old_val) // %2
: "r" (&storage), // %3
"r" (desired) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
const uint32_t success = (uint32_t)old_val;
if (success)
fence_after(success_order);
else
fence_after(failure_order);
expected = original;
return !!success;
}
static BOOST_FORCEINLINE storage_type fetch_add(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage_type original, result;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"adds %2, %1, %4\n" // result = original + value
"adc %H2, %H1, %H4\n"
"strexd %0, %2, %H2, [%3]\n" // *(&storage) = result, tmp = store failed
"teq %0, #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"=&r" (result) // %2
: "r" (&storage), // %3
"r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_sub(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage_type original, result;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"subs %2, %1, %4\n" // result = original - value
"sbc %H2, %H1, %H4\n"
"strexd %0, %2, %H2, [%3]\n" // *(&storage) = result, tmp = store failed
"teq %0, #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"=&r" (result) // %2
: "r" (&storage), // %3
"r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_and(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage_type original, result;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"and %2, %1, %4\n" // result = original & value
"and %H2, %H1, %H4\n"
"strexd %0, %2, %H2, [%3]\n" // *(&storage) = result, tmp = store failed
"teq %0, #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"=&r" (result) // %2
: "r" (&storage), // %3
"r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_or(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage_type original, result;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"orr %2, %1, %4\n" // result = original | value
"orr %H2, %H1, %H4\n"
"strexd %0, %2, %H2, [%3]\n" // *(&storage) = result, tmp = store failed
"teq %0, #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"=&r" (result) // %2
: "r" (&storage), // %3
"r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE storage_type fetch_xor(storage_type volatile& storage, storage_type v, memory_order order) BOOST_NOEXCEPT
{
fence_before(order);
storage_type original, result;
uint32_t tmp;
__asm__ __volatile__
(
BOOST_ATOMIC_DETAIL_ARM_ASM_START(%0)
"1:\n"
"ldrexd %1, %H1, [%3]\n" // original = *(&storage)
"eor %2, %1, %4\n" // result = original ^ value
"eor %H2, %H1, %H4\n"
"strexd %0, %2, %H2, [%3]\n" // *(&storage) = result, tmp = store failed
"teq %0, #0\n" // flags = tmp==0
"bne 1b\n" // if (!flags.equal) goto retry
BOOST_ATOMIC_DETAIL_ARM_ASM_END(%0)
: BOOST_ATOMIC_DETAIL_ARM_ASM_TMPREG_CONSTRAINT(tmp), // %0
"=&r" (original), // %1
"=&r" (result) // %2
: "r" (&storage), // %3
"r" (v) // %4
: BOOST_ATOMIC_DETAIL_ASM_CLOBBER_CC_COMMA "memory"
);
fence_after(order);
return original;
}
static BOOST_FORCEINLINE bool test_and_set(storage_type volatile& storage, memory_order order) BOOST_NOEXCEPT
{
return !!exchange(storage, (storage_type)1, order);
}
static BOOST_FORCEINLINE void clear(storage_type volatile& storage, memory_order order) BOOST_NOEXCEPT
{
store(storage, 0, order);
}
static BOOST_FORCEINLINE bool is_lock_free(storage_type const volatile&) BOOST_NOEXCEPT
{
return true;
}
};
#endif // defined(BOOST_ATOMIC_DETAIL_ARM_HAS_LDREXD_STREXD)
BOOST_FORCEINLINE void thread_fence(memory_order order) BOOST_NOEXCEPT
{
if (order != memory_order_relaxed)
gcc_arm_operations_base::hardware_full_fence();
}
BOOST_FORCEINLINE void signal_fence(memory_order order) BOOST_NOEXCEPT
{
if (order != memory_order_relaxed)
__asm__ __volatile__ ("" ::: "memory");
}
} // namespace detail
} // namespace atomics
} // namespace boost
#endif // BOOST_ATOMIC_DETAIL_OPS_GCC_ARM_HPP_INCLUDED_
/////////////////////////////////////////////////
// vnDev.Games - Trong.LIVE - DAO VAN TRONG //
////////////////////////////////////////////////////////////////////////////////
| [
"adm.fael.hs@gmail.com"
] | adm.fael.hs@gmail.com |
7d87dd6b9fac662fa6e559bdef1a32f4c7e7e6ee | 999fdf150a93dc69d920786641fc9cd8e83f2a75 | /src/plastimatch/util/itk_adjust.cxx | df92b014f3bb7dd3291efaea5ac7ccadd50bf5a4 | [
"BSD-3-Clause",
"LicenseRef-scancode-unknown-license-reference",
"BSD-2-Clause"
] | permissive | agravgaard/Plastimatch | f79294947a1d44dd0c56798277374222fa92df57 | 7b5b79bb1a258d69a653bc82849ed420e673de3d | refs/heads/master | 2021-01-17T06:53:30.814597 | 2020-08-21T12:51:14 | 2020-08-21T12:51:14 | 52,898,082 | 11 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,602 | cxx | /* -----------------------------------------------------------------------
See COPYRIGHT.TXT and LICENSE.TXT for copyright and license information
----------------------------------------------------------------------- */
#include "plmutil_config.h"
#include <limits>
#include "itkImageRegionIterator.h"
#include "float_pair_list.h"
#include "itk_adjust.h"
#include "itk_image_clone.h"
#include "plm_math.h"
#include "print_and_exit.h"
#include "pwlut.h"
FloatImageType::Pointer
itk_adjust (FloatImageType::Pointer image_in, const Float_pair_list& al)
{
FloatImageType::Pointer image_out = itk_image_clone (image_in);
typedef itk::ImageRegionIterator< FloatImageType > FloatIteratorType;
FloatImageType::RegionType rg = image_out->GetLargestPossibleRegion ();
FloatIteratorType it (image_out, rg);
Pwlut pwlut;
pwlut.set_lut (al);
for (it.GoToBegin(); !it.IsAtEnd(); ++it) {
it.Set (pwlut.lookup (it.Get()));
}
return image_out;
#if defined (commentout)
/* Special processing for end caps */
float left_slope = 1.0;
float right_slope = 1.0;
Float_pair_list::const_iterator ait_start = al.begin();
Float_pair_list::const_iterator ait_end = al.end();
if (ait_start->first == -std::numeric_limits<float>::max()) {
left_slope = ait_start->second;
ait_start++;
}
if ((--ait_end)->first == std::numeric_limits<float>::max()) {
right_slope = ait_end->second;
--ait_end;
}
/* Debug adjustment lists */
Float_pair_list::const_iterator it_d = ait_start;
#if defined (commentout)
while (it_d != ait_end) {
printf ("[%f,%f]\n", it_d->first, it_d->second);
it_d ++;
}
printf ("[%f,%f]\n", it_d->first, it_d->second);
printf ("slopes [%f,%f]\n", left_slope, right_slope);
printf ("ait_start [%f,%f]\n", ait_start->first, ait_start->second);
printf ("ait_end [%f,%f]\n", ait_end->first, ait_end->second);
#endif
for (it.GoToBegin(); !it.IsAtEnd(); ++it) {
float vin = it.Get();
float vout;
/* Three possible cases: before first node, between two nodes, and
after last node */
/* Case 1 */
if (vin <= ait_start->first) {
vout = ait_start->second + (vin - ait_start->first) * left_slope;
#if defined (commentout)
printf ("[1] < %f (%f -> %f)\n", ait_start->first, vin, vout);
#endif
goto found_vout;
}
else if (ait_start != ait_end) {
Float_pair_list::const_iterator ait = ait_start;
Float_pair_list::const_iterator prev = ait_start;
do {
ait++;
/* Case 2 */
if (vin <= ait->first) {
float slope = (ait->second - prev->second)
/ (ait->first - prev->first);
vout = prev->second + (vin - prev->first) * slope;
#if defined (commentout)
printf ("[2] in (%f,%f) (%f -> %f)\n", prev->first,
ait->first, vin, vout);
#endif
goto found_vout;
}
prev = ait;
} while (ait != ait_end);
}
/* Case 3 */
vout = ait_end->second + (vin - ait_end->first) * right_slope;
#if defined (commentout)
printf ("[3] > %f (%f -> %f)\n", ait_end->first, vin, vout);
#endif
found_vout:
it.Set (vout);
}
return image_out;
#endif
}
FloatImageType::Pointer
itk_adjust (FloatImageType::Pointer image_in, const std::string& adj_string)
{
Float_pair_list al = parse_float_pairs (adj_string);
if (al.empty()) {
print_and_exit ("Error: couldn't parse adjust string: %s\n",
adj_string.c_str());
}
return itk_adjust (image_in, al);
}
FloatImageType::Pointer
itk_auto_adjust (FloatImageType::Pointer image_in)
{
typedef itk::ImageRegionIterator< FloatImageType > FloatIteratorType;
FloatImageType::RegionType rg = image_in->GetLargestPossibleRegion ();
FloatIteratorType it (image_in, rg);
Float_pair_list::const_iterator ait;
/* GCS: This is just something for spark, works for CT image differencing
-- make a better method later */
Float_pair_list al;
al.push_back (std::make_pair (-std::numeric_limits<float>::max(), 0.0));
al.push_back (std::make_pair (-200.0,0));
al.push_back (std::make_pair (0.0,127.5));
al.push_back (std::make_pair (+200.0,255));
al.push_back (std::make_pair (std::numeric_limits<float>::max(), 0.0));
return itk_adjust (image_in, al);
}
| [
"andreasga22@gmail.com"
] | andreasga22@gmail.com |
4a63a950d6286499f199122e2ef684e7484c4321 | 24c773f780972c941a6de429625841801df6070c | /src/word.cpp | 4af2c723e4ce1dbcbe884444c7539d13382c8481 | [] | no_license | Exupery/MimirsWellCpp | 3f9828d7bd475114eeb868933124f48283adb114 | 8108815fc9dcf307a1ea829ddda1dcd1069ff8fb | refs/heads/master | 2021-01-23T20:54:54.736143 | 2012-11-12T00:26:07 | 2012-11-12T00:26:07 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 617 | cpp | /*
* word.cpp
*
* Created on: Nov 3, 2012
* Author: frost
*/
#include "word.h"
Word::Word(std::string word) : word(word) {
timestamp = 0L;
tweetID = 0L;
symbol = "";
}
Word::~Word() {
}
std::string Word::getWord() const {
return word;
}
std::string Word::getSymbol() {
return symbol;
}
long Word::getTimestamp() {
return timestamp;
}
long Word::getTweetID() {
return tweetID;
}
void Word::setSymbol(std::string symbol) {
this->symbol = symbol;
}
void Word::setTimestamp(long timestamp) {
this->timestamp = timestamp;
}
void Word::setTweetID(long tweetID) {
this->tweetID = tweetID;
}
| [
"mf@matthewfrost.com"
] | mf@matthewfrost.com |
f7c78365e56dfbc9758d3d2cc08d72b5b394bc30 | 72852e07bb30adbee608275d6048b2121a5b9d82 | /algorithms/problem_1391/other3.cpp | 5c864fbabcd31a8f9bce36e7778ed44ded5c811d | [] | no_license | drlongle/leetcode | e172ae29ea63911ccc3afb815f6dbff041609939 | 8e61ddf06fb3a4fb4a4e3d8466f3367ee1f27e13 | refs/heads/master | 2023-01-08T16:26:12.370098 | 2023-01-03T09:08:24 | 2023-01-03T09:08:24 | 81,335,609 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,833 | cpp |
class Solution {
public:
using VI = vector<int>;
using VVI = vector<VI>;
using VVT = vector<vector<tuple<int, int>>>;
using Set = unordered_set<string>;
using Queue = queue<tuple<int, int>>;
bool hasValidPath(VVI& A) {
VVT dir{
{}, // 0 sentinel
{{ 0, -1}, { 0, 1}}, // 1 left / right
{{-1, 0}, { 1, 0}}, // 2 upper / lower
{{ 0, -1}, { 1, 0}}, // 3 left / lower
{{ 0, 1}, { 1, 0}}, // 4 right / lower
{{ 0, -1}, {-1, 0}}, // 5 left / upper
{{ 0, 1}, {-1, 0}}, // 6 right / upper
};
auto key = [](auto i, auto j) {
stringstream ss; ss << i << "," << j;
return ss.str();
};
int M = A.size(),
N = A[0].size();
Set seen{{"0,0"}};
Queue queue; queue.push({0, 0});
while (!queue.empty()) {
auto [cur_i, cur_j] = queue.front(); queue.pop();
if (cur_i == M - 1 && cur_j == N - 1) // target 🎯
return true;
auto cand = dir[A[cur_i][cur_j]]; // next candidates
for (auto [u, v]: cand) {
auto i = u + cur_i, // next i
j = v + cur_j; // next j
if (i < 0 || i >= M || j < 0 || j >= N || seen.find(key(i, j)) != seen.end())
continue;
auto ok = false;
auto next = dir[A[i][j]];
for (auto [p, q]: next)
if (p + i == cur_i && q + j == cur_j)
ok = true; // next has incoming route from current 👍
if (ok)
seen.insert(key(i, j)),
queue.push({i, j});
}
}
return false;
}
};
| [
"drlongle@gmail.com"
] | drlongle@gmail.com |
cd5bbf67a651918272dca53e31818069c4ed1ced | 7bb793c39d512bc3490608ec028c06677fdd7b05 | /hrserver/src/db_proxy_server/business/DepartModel.cpp | 283b1a418d158a6a9cea6b04915630f5623cf579 | [] | no_license | rineishou/highwayns_rin | 11564fc667633720db50f31ff9baf7654ceaac3f | dfade9705a95a41f44a7c921c94bd3b9e7a1e360 | refs/heads/master | 2021-06-17T23:06:29.082403 | 2018-12-17T12:13:09 | 2018-12-17T12:13:09 | 88,716,361 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,874 | cpp | /*================================================================
* Copyright (c) 2015年 lanhu. All rights reserved.
*
* 文件名称:DepartModel.cpp
* 创 建 者:Zhang Yuanhao
* 邮 箱:bluefoxah@gmail.com
* 创建日期:2015年03月12日
* 描 述:
*
================================================================*/
#include "DepartModel.h"
#include "../DBPool.h"
CDepartModel* CDepartModel::m_pInstance = NULL;
CDepartModel* CDepartModel::getInstance()
{
if(NULL == m_pInstance)
{
m_pInstance = new CDepartModel();
}
return m_pInstance;
}
void CDepartModel::getChgedDeptId(uint32_t& nLastTime, list<uint32_t>& lsChangedIds)
{
CDBManager* pDBManager = CDBManager::getInstance();
CDBConn* pDBConn = pDBManager->GetDBConn("highwaytalk_slave");
if (pDBConn)
{
string strSql = "select id, updated from IMDepart where updated > " + int2string(nLastTime);
CResultSet* pResultSet = pDBConn->ExecuteQuery(strSql.c_str());
if(pResultSet)
{
while (pResultSet->Next()) {
uint32_t id = pResultSet->GetInt("id");
uint32_t nUpdated = pResultSet->GetInt("updated");
if(nLastTime < nUpdated)
{
nLastTime = nUpdated;
}
lsChangedIds.push_back(id);
}
delete pResultSet;
}
pDBManager->RelDBConn(pDBConn);
}
else
{
log("no db connection for highwaytalk_slave.");
}
}
void CDepartModel::getDepts(list<uint32_t>& lsDeptIds, list<IM::BaseDefine::DepartInfo>& lsDepts)
{
if(lsDeptIds.empty())
{
log("list is empty");
return;
}
CDBManager* pDBManager = CDBManager::getInstance();
CDBConn* pDBConn = pDBManager->GetDBConn("highwaytalk_slave");
if (pDBConn)
{
string strClause;
bool bFirst = true;
for (auto it=lsDeptIds.begin(); it!=lsDeptIds.end(); ++it) {
if(bFirst)
{
bFirst = false;
strClause += int2string(*it);
}
else
{
strClause += ("," + int2string(*it));
}
}
string strSql = "select * from IMDepart where id in ( " + strClause + " )";
CResultSet* pResultSet = pDBConn->ExecuteQuery(strSql.c_str());
if(pResultSet)
{
while (pResultSet->Next()) {
IM::BaseDefine::DepartInfo cDept;
uint32_t nId = pResultSet->GetInt("id");
uint32_t nParentId = pResultSet->GetInt("parentId");
string strDeptName = pResultSet->GetString("departName");
uint32_t nStatus = pResultSet->GetInt("status");
uint32_t nPriority = pResultSet->GetInt("priority");
if(IM::BaseDefine::DepartmentStatusType_IsValid(nStatus))
{
cDept.set_dept_id(nId);
cDept.set_parent_dept_id(nParentId);
cDept.set_dept_name(strDeptName);
cDept.set_dept_status(IM::BaseDefine::DepartmentStatusType(nStatus));
cDept.set_priority(nPriority);
lsDepts.push_back(cDept);
}
}
delete pResultSet;
}
pDBManager->RelDBConn(pDBConn);
}
else
{
log("no db connection for highwaytalk_slave");
}
}
void CDepartModel::getDept(uint32_t nDeptId, IM::BaseDefine::DepartInfo& cDept)
{
CDBManager* pDBManager = CDBManager::getInstance();
CDBConn* pDBConn = pDBManager->GetDBConn("highwaytalk_slave");
if (pDBConn)
{
string strSql = "select * from IMDepart where id = " + int2string(nDeptId);
CResultSet* pResultSet = pDBConn->ExecuteQuery(strSql.c_str());
if(pResultSet)
{
while (pResultSet->Next()) {
uint32_t nId = pResultSet->GetInt("id");
uint32_t nParentId = pResultSet->GetInt("parentId");
string strDeptName = pResultSet->GetString("departName");
uint32_t nStatus = pResultSet->GetInt("status");
uint32_t nPriority = pResultSet->GetInt("priority");
if(IM::BaseDefine::DepartmentStatusType_IsValid(nStatus))
{
cDept.set_dept_id(nId);
cDept.set_parent_dept_id(nParentId);
cDept.set_dept_name(strDeptName);
cDept.set_dept_status(IM::BaseDefine::DepartmentStatusType(nStatus));
cDept.set_priority(nPriority);
}
}
delete pResultSet;
}
pDBManager->RelDBConn(pDBConn);
}
else
{
log("no db connection for highwaytalk_slave");
}
}
| [
"tei952@hotmail.com"
] | tei952@hotmail.com |
2311fad25933f0eeaf8b79a1ea7f1e4a6a8edaea | adaab29299a0ca927628a9a117bda5c54a2fde4b | /evaluations/list_detail_mvc_vn_two_features/linux/my_application.cc | 542076a0d2ee718e3f0ce7cb26ff1525fe1ba2dc | [] | no_license | felangel/new_flutter_template | 39ceb811dfd9182c25af78612c6136464b4f85b6 | 56a7fff9c2fe8a6481027c110fd505f8b77ca989 | refs/heads/main | 2023-02-20T18:57:04.940715 | 2021-02-01T11:41:12 | 2021-02-01T11:41:12 | 335,110,149 | 3 | 1 | null | 2021-02-01T23:13:50 | 2021-02-01T23:13:49 | null | UTF-8 | C++ | false | false | 3,694 | cc | #include "my_application.h"
#include <flutter_linux/flutter_linux.h>
#ifdef GDK_WINDOWING_X11
#include <gdk/gdkx.h>
#endif
#include "flutter/generated_plugin_registrant.h"
struct _MyApplication {
GtkApplication parent_instance;
char** dart_entrypoint_arguments;
};
G_DEFINE_TYPE(MyApplication, my_application, GTK_TYPE_APPLICATION)
// Implements GApplication::activate.
static void my_application_activate(GApplication* application) {
MyApplication* self = MY_APPLICATION(application);
GtkWindow* window =
GTK_WINDOW(gtk_application_window_new(GTK_APPLICATION(application)));
// Use a header bar when running in GNOME as this is the common style used
// by applications and is the setup most users will be using (e.g. Ubuntu
// desktop).
// If running on X and not using GNOME then just use a traditional title bar
// in case the window manager does more exotic layout, e.g. tiling.
// If running on Wayland assume the header bar will work (may need changing
// if future cases occur).
gboolean use_header_bar = TRUE;
#ifdef GDK_WINDOWING_X11
GdkScreen *screen = gtk_window_get_screen(window);
if (GDK_IS_X11_SCREEN(screen)) {
const gchar* wm_name = gdk_x11_screen_get_window_manager_name(screen);
if (g_strcmp0(wm_name, "GNOME Shell") != 0) {
use_header_bar = FALSE;
}
}
#endif
if (use_header_bar) {
GtkHeaderBar *header_bar = GTK_HEADER_BAR(gtk_header_bar_new());
gtk_widget_show(GTK_WIDGET(header_bar));
gtk_header_bar_set_title(header_bar, "list_detail_mvc_vn_two_features");
gtk_header_bar_set_show_close_button(header_bar, TRUE);
gtk_window_set_titlebar(window, GTK_WIDGET(header_bar));
}
else {
gtk_window_set_title(window, "list_detail_mvc_vn_two_features");
}
gtk_window_set_default_size(window, 1280, 720);
gtk_widget_show(GTK_WIDGET(window));
g_autoptr(FlDartProject) project = fl_dart_project_new();
fl_dart_project_set_dart_entrypoint_arguments(project, self->dart_entrypoint_arguments);
FlView* view = fl_view_new(project);
gtk_widget_show(GTK_WIDGET(view));
gtk_container_add(GTK_CONTAINER(window), GTK_WIDGET(view));
fl_register_plugins(FL_PLUGIN_REGISTRY(view));
gtk_widget_grab_focus(GTK_WIDGET(view));
}
// Implements GApplication::local_command_line.
static gboolean my_application_local_command_line(GApplication* application, gchar ***arguments, int *exit_status) {
MyApplication* self = MY_APPLICATION(application);
// Strip out the first argument as it is the binary name.
self->dart_entrypoint_arguments = g_strdupv(*arguments + 1);
g_autoptr(GError) error = nullptr;
if (!g_application_register(application, nullptr, &error)) {
g_warning("Failed to register: %s", error->message);
*exit_status = 1;
return TRUE;
}
g_application_activate(application);
*exit_status = 0;
return TRUE;
}
// Implements GObject::dispose.
static void my_application_dispose(GObject *object) {
MyApplication* self = MY_APPLICATION(object);
g_clear_pointer(&self->dart_entrypoint_arguments, g_strfreev);
G_OBJECT_CLASS(my_application_parent_class)->dispose(object);
}
static void my_application_class_init(MyApplicationClass* klass) {
G_APPLICATION_CLASS(klass)->activate = my_application_activate;
G_APPLICATION_CLASS(klass)->local_command_line = my_application_local_command_line;
G_OBJECT_CLASS(klass)->dispose = my_application_dispose;
}
static void my_application_init(MyApplication* self) {}
MyApplication* my_application_new() {
return MY_APPLICATION(g_object_new(my_application_get_type(),
"application-id", APPLICATION_ID,
nullptr));
}
| [
"brian@brianegan.com"
] | brian@brianegan.com |
4d48c4ec6d38ae7b0bb1c4a255938ae73d3c3e93 | 157fd7fe5e541c8ef7559b212078eb7a6dbf51c6 | /TRiAS/TRiAS/Importfilter/AutoCAD DXF/OPTPRDLG.HPP | ceedd1a8eef7ac4869d719283e7520b377ab3001 | [] | no_license | 15831944/TRiAS | d2bab6fd129a86fc2f06f2103d8bcd08237c49af | 840946b85dcefb34efc219446240e21f51d2c60d | refs/heads/master | 2020-09-05T05:56:39.624150 | 2012-11-11T02:24:49 | 2012-11-11T02:24:49 | null | 0 | 0 | null | null | null | null | ISO-8859-3 | C++ | false | false | 1,205 | hpp | /*
File: OPTPRDLG.HPP
Das Module realisiert die Eingabe optionaler Parameter-Eingabe im Dialog.
Erarbeitet: J.Benkenstein Stand vom 01.09.1994
*/
#ifndef _OPTPRDLG_HPP
#define _OPTPRDLG_HPP
class ResourceFile;
class Params;
class OptParamsDlg : public DialogWindow
{
private:
// Attribute
Bool _OpFlag; // Konstrukor-Flag
Params *_pParams;
ResourceFile *_pRF;
RealEdit _XOffset, _YOffset;
CheckBox _CloseLines, m_ImpTextHoehe, m_ImpTextDrehWi, m_ImpSymDrehWi,
m_ImpComment, m_ImpBlocks, m_ImpSystemBlocks;
MultiLineEdit m_edEbenen;
CHelpText _Description;
// KK991007
CheckBox m_NoShow;
FixedText _OffsetXText,_OffsetYText;
PushButton OKButton;
protected:
void __export EditFocusChg (EditFocusChgEvt e);
Bool __export QueryClose (Event) { _OpFlag = False; return True; }
void __export ButtonClick (ControlEvt);
Bool _CheckAllParams (void); // alle Parameter prüfen
public:
// Konstruktor/Destruktor
OptParamsDlg (pWindow pParent, ResourceFile *pRF, Params *pOP);
~ OptParamsDlg (void) {}
Bool OpFlag (void) { return _OpFlag; }
};
#endif // _OPTPRDLG_HPP
| [
"Windows Live ID\\hkaiser@cct.lsu.edu"
] | Windows Live ID\hkaiser@cct.lsu.edu |
163e92b3670a3ee41b92a45343014a8eebc2a3d4 | 71f4a843a32e1eb8caf178ded1e77ca6d8be4cee | /Programm/C Language/15_FUNNY/FUN04.CPP | 8857c0ec6f8844f4435ab8838b5f449d3be06534 | [] | no_license | suvaw/C-and-C-plus | e71a2d676ca7eb641d437bd6784b3d7abe4668d1 | ff27cfd5360e947d4be5bae2ba71ab306f612428 | refs/heads/main | 2022-12-30T01:22:11.985606 | 2020-10-04T18:47:14 | 2020-10-04T18:47:14 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 228 | cpp | #include<stdio.h>
#include<conio.h>
void main()
{
clrscr();
int i;
printf("Enter any single charecter from keyboard :");
i=getch();
printf("\n\nASCII value of the ascii character \'%c\' is :%d",i,i);
getch();
} | [
"suvadipmandal.1995@gmail.com"
] | suvadipmandal.1995@gmail.com |
19c025ea33c9d32c293bfb77c7ed10be988183d8 | 275a4fd85a1d85e6cfbfdc22adf6f1cb4bfb9360 | /shared/PlatformSetup.h | eed1a19da0bcc0fa57f4ac8305f24050665382d1 | [
"LicenseRef-scancode-unknown-license-reference",
"XFree86-1.1"
] | permissive | fatalfeel/proton_sdk_source | 20656e1df64b29cfe0fc3d15f8b36cf1358704c4 | 15addf2c7f9b137788322d609b7df0506c767f68 | refs/heads/master | 2021-08-03T07:14:18.079209 | 2021-07-23T02:35:54 | 2021-07-23T02:35:54 | 17,131,205 | 20 | 5 | null | null | null | null | UTF-8 | C++ | false | false | 4,053 | h | #ifndef PlatformSetup_h__
#define PlatformSetup_h__
#include "PlatformEnums.h"
#ifdef WIN32
#include "win/PlatformSetupWin.h"
#endif
//RAND_MAX is different on android? whatevs, we'll use our own
#define RT_RAND_MAX 0x7FFF
#ifdef __APPLE__
#include "TargetConditionals.h"
#if (TARGET_OS_IPHONE == 1)
#include "iOS/PlatformSetupIOS.h"
#else
#include "OSX/PlatformSetupOSX.h"
#endif
#endif
#ifdef RTLINUX
#include "linux/PlatformSetupLinux.h"
#endif
#ifdef RT_WEBOS_ARM
#include "WebOS/PlatformSetupWebOS.h"
#endif
#ifdef ANDROID_NDK
#include "android/PlatformSetupAndroid.h"
#endif
#ifdef PLATFORM_BBX
#include "bbx/PlatformSetupBBX.h"
#endif
#ifdef PLATFORM_FLASH
#include "flash/PlatformSetupFlash.h"
#endif
#if defined(__cplusplus) || defined(__OBJC__)
#include <cstdio>
#include <string>
#include <vector>
#include <cmath>
#include <deque>
#include <cassert>
#include <map>
#include <deque>
#include <stdlib.h>
#include <iostream>
#include <sstream>
//hack for making irrBullet compile without needing irr::core prefix on its
//list. It's because I include this file in the irrlicht main config stuff.
#ifdef _CONSOLE
#include <list>
using namespace std;
#endif
const uint16 C_JPG_HEADER_MARKER = 55551;
#ifndef SAFE_DELETE
#define SAFE_DELETE(p) { if(p) { delete (p); (p)=NULL; } }
#endif
#define SAFE_DELETE_ARRAY(p) { if(p) { delete[] (p); (p)=NULL; } }
#ifndef SAFE_FREE
#define SAFE_FREE(p) { if(p) { free (p); (p)=NULL; } }
#endif
#ifndef SAFE_RELEASE
#define SAFE_RELEASE(p) { if(p) {(p)->Release(); (p)=NULL; } }
#endif
#define MAKE_RGB(r, g, b) ( ((uint32)(r) << 8) + ((uint32)(g) << 16) + ((uint32)(b) << 24) )
#define MAKE_RGBA(r, g, b, a) ( ((uint32)(r) << 8) + ((uint32)(g) << 16) + ((uint32)(b) << 24) + ((uint32)(a)))
const uint32 PURE_WHITE = MAKE_RGBA(255, 255, 255, 255);
#define GET_BLUE(p) ( (p) >> 24)
#define GET_GREEN(p) (((p) & 0x00FF0000) >> 16)
#define GET_RED(p) (((p) & 0x0000FF00) >> 8)
#define GET_ALPHA(p) ( (p) & 0x000000FF )
#define DEG2RAD(x) (M_PI * (x) / 180.0)
#define RAD2DEG(x) (x * (180/M_PI))
#ifndef UINT_MAX
//fix problem for webOS compiles
#define UINT_MAX 0xffffffff
#endif
//this must exist somewhere, used for log messages
void LogMsg ( const char* traceStr, ... );
void LogError(const char* traceStr, ...);
void SetEmulatedPlatformID(ePlatformID platformID);
std::string AddPlatformNameURL();
std::string GetPlatformName();
void SetMarketID(eMarketID marketID);
eMarketID GetMarketID();
bool GetForceAspectRatioWhenResizing();
//copy these here, so I don't have to include ResourceUtils.cpp in my console only apps
int GetScreenSizeY();
int GetScreenSizeX();
float GetScreenSizeYf();
float GetScreenSizeXf();
bool IsLargeScreen();
/**
* Returns a string representation of a platform identifier.
* This string is not meant for display purposes. The strings returned by
* this method are guaranteed to remain unchanged between different
* versions of Proton (expect new string may be added for new platforms).
*
* \see PlatformIDAsStringDisplay()
*/
std::string PlatformIDAsString(ePlatformID platformID);
/**
* Returns a string representation of a platform identifier for display purposes.
* This string can be used to display a textual representation of a platform for
* the user or put it to a log for example. The strings returned by this method
* may change from Proton version to another.
*
* \see PlatformIDAsString()
*/
std::string PlatformIDAsStringDisplay(ePlatformID platformID);
ePlatformID PlatformStringAsID(std::string platform);
/**
* Returns a string representation of an orientation mode for display purposes.
* This string can be used to display a textual representation of an orientation
* mode for the user or put it to a log for example. The strings returned by
* this method may change from Proton version to another.
*/
std::string OrientationAsStringDisplay(eOrientationMode orientation);
#endif
#endif // PlatformSetup_h__
| [
"fatalfeel@hotmail.com"
] | fatalfeel@hotmail.com |
34518228b595de5000673174d531a1963e2ad618 | e1ff4edc9126ef34cbbe104c4c9229e2e7d1a106 | /utils/UtilBasic.cpp | 8d68cf06847be0a2334c36855f5a6f4b327bacf1 | [] | no_license | shiningstone/kwx | 5ac5271cb62909d9193eb2d629eea3734c8419df | af013852aee1f1db6be7c3dd108944cae7898cc8 | refs/heads/master | 2020-05-21T00:25:06.232175 | 2015-03-04T14:16:51 | 2015-03-04T14:16:51 | 30,445,754 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 469 | cpp |
#include <string.h>
#include "UtilBasic.h"
INT32U _ntohl(INT32U n) {
char *p = (char *)&n;
char ha[4] = {0};
ha[0] = p[3];
ha[1] = p[2];
ha[2] = p[1];
ha[3] = p[0];
return *((INT32U *)ha);
}
INT32U _htonl(INT32U n) {
return _ntohl(n);
}
INT16U _ntohs(INT16U n) {
char *p = (char *)&n;
char ha[2] = {0};
ha[0] = p[1];
ha[1] = p[0];
return *((INT16U *)ha);
}
INT16U _htons(INT16U n) {
return _ntohs(n);
}
| [
"bo.jiang@finisar.com"
] | bo.jiang@finisar.com |
f9a6933f134949cf96b1aca01116805c789ba325 | c4e8db7338c45a7d031519a4e1b23f8b58a57a8b | /SerialCommsDll/src/SerialCommsDll.cpp | 5ab1f92adaba29af67906b64075ff0d28400e2d6 | [] | no_license | mattmunee/SerialCommsDll | 3df9fb1490d33cbd92575397acd1ae77aecf6a67 | 718e8613d6188f76c4225ecb37c4a80a1f758cd6 | refs/heads/master | 2021-01-10T07:25:06.431754 | 2016-03-28T14:58:07 | 2016-03-28T14:58:07 | 43,827,290 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,323 | cpp | // SerialCommsDll.cpp : Defines the exported functions for the DLL application.
//
#include "SerialCommsDll.h"
#include <stdio.h>
// This is the constructor of a class that has been exported.
// see SerialCommsDll.h for the class definition
SerialCommPort::SerialCommPort(unsigned int portNum, BaudRate baud, DWORD readTimeoutms, DWORD writeTimeoutms)
{
m_termChar='\r';
char sPort[20];
DCB dcb;
COMMTIMEOUTS CommTimeouts;
// create a string like "\\.\COM1, leave space for \\.\COM256"
// Note that we used zero based channel numbers
#ifdef OLD_COMPILER
sprintf(sPort, "\\\\.\\COM%d", chan+1);
#else
sprintf_s(sPort, 20, "\\\\.\\COM%d", portNum);
#endif
// Open port
m_handle = CreateFile(sPort,
GENERIC_READ | GENERIC_WRITE,
0, // comm devices must be opened w/exclusive-access
0, // no security attributes
OPEN_EXISTING, // comm devices must use OPEN_EXISTING
0, // not overlapped I/O
0); // hTemplate must be NULL for comm devices
if(m_handle == INVALID_HANDLE_VALUE)
{
printf("Failed to open COM port: %u\n", GetLastError());
m_handle = INVALID_HANDLE_VALUE;
}// if the port failed to open
// Set buffer size
if (!SetupComm(m_handle, 1024, 1024))
{
CloseHandle(m_handle);
m_handle = INVALID_HANDLE_VALUE;
}// failure!, close and get out
// Configure port, start by filling dcb structure
if (!GetCommState(m_handle, &dcb))
{
CloseHandle(m_handle);
m_handle = INVALID_HANDLE_VALUE;
}// failure!, close and get out
// update serial comm parameters
dcb.BaudRate = CBR_19200; // Set baud rate
dcb.fBinary = TRUE; // Binary mode (must be true in Windows)
dcb.fParity = TRUE;
dcb.Parity = NOPARITY; // No Parity
dcb.ByteSize = (BYTE)8; // Set number of bits (8)
dcb.StopBits = ONESTOPBIT; // Set number of stop bits (1)
// Now use the new parameters
if (!SetCommState(m_handle, &dcb))
{
CloseHandle(m_handle);
m_handle = INVALID_HANDLE_VALUE;
}// failure!, close and get out
// Fill comm timeout structure
if (!GetCommTimeouts(m_handle, &CommTimeouts))
{
CloseHandle(m_handle);
m_handle = INVALID_HANDLE_VALUE;
}// failure!, close and get out
// Set timeouts for immediate timeout, i.e. when reading from the port,
// only read what is in the buffer, then return without waiting for
// more data
// FROM MSDN: A value of MAXDWORD, combined with zero values for both
// the ReadTotalTimeoutConstant and ReadTotalTimeoutMultiplier members,
// specifies that the read operation is to return immediately with the
// bytes that have already been received, even if no bytes have been received.
CommTimeouts.ReadIntervalTimeout = MAXDWORD;
CommTimeouts.ReadTotalTimeoutMultiplier = readTimeoutms;
CommTimeouts.ReadTotalTimeoutConstant = 0;
// Write data to buffer immediately, don't wait for data to be moved
// out the communications channel
CommTimeouts.WriteTotalTimeoutConstant = writeTimeoutms;
CommTimeouts.WriteTotalTimeoutMultiplier = 0;
// use the new comm timeout values
if (!SetCommTimeouts(m_handle, &CommTimeouts))
{
CloseHandle(m_handle);
m_handle = INVALID_HANDLE_VALUE;
}// failure!, close and get out
}
// This is the constructor of a class that has been exported.
// see SerialCommsDll.h for the class definition
SerialCommPort::~SerialCommPort(){
if(m_handle!=INVALID_HANDLE_VALUE)
CloseHandle(m_handle);
}
bool SerialCommPort::isValid()
{
return m_handle!=INVALID_HANDLE_VALUE;
}
/*! Read a block of data from the serial port. This function does not block.
If the amount of data waiting to be read is less that the amount requested
then all the available data is read and the actual amount read is returned.
\param pData points to space to receive the array of bytes
\param Size is the number of bytes to read.
\return The actual amount of data read.*/
unsigned int SerialCommPort::readBlock(char* pData, unsigned int Size)
{
unsigned long ulReadCount = 0;
if(m_handle != INVALID_HANDLE_VALUE){
if(!ReadFile(m_handle, pData, Size, &ulReadCount, NULL)){
printf("\nReceive error %u\n", GetLastError());
}
}
return (int)ulReadCount;
}// readBlock
/*! Write a block of data to a platform specific serial port. This function
will not block even if the transmit buffer is full, instead the byte(s)
will be lost.
\param Handle is the serial port handle returned from openCOMM().
\param pData points to a buffer of data.
\param Size is the number of bytes in the buffer to send.
\return the number of bytes written.*/
unsigned int SerialCommPort::writeBlock(const char* pData, unsigned int Size)
{
unsigned long Count = 0;
if(m_handle!= INVALID_HANDLE_VALUE)
{
if(!WriteFile(m_handle, pData, Size, &Count, NULL)){
printf("\nTransmit error %u\n", GetLastError());
}
}// If this port has been opened
return Count;
}// writeBlock
bool SerialCommPort::purgeBuffers()
{
return purgeSendBuffer() && purgeRecvBuffer();
} //purgeBuffers
/* Purge all contents from serial send buffer */
bool SerialCommPort::purgeSendBuffer()
{
bool success=false;
if(m_handle != INVALID_HANDLE_VALUE){
success=PurgeComm(m_handle, PURGE_TXCLEAR);
if(!success)
printf("\nTxPurge error %u\n", GetLastError());
}
return success;
} //purgeSendBuffer
/* Purge all contents from serial receive buffer */
bool SerialCommPort::purgeRecvBuffer()
{
bool success=false;
if(m_handle != INVALID_HANDLE_VALUE){
success=PurgeComm(m_handle, PURGE_RXCLEAR);
if(!success)
printf("\nTxPurge error %u\n", GetLastError());
}
return success;
} //purgeRecvBuffer
/* The sendSerial command takes in a string and
automatically appends a carriage return (\r) before
sending to the COM port identified by Handle. Handle
is set up when the openCOMM function is called. */
bool SerialCommPort::sendString(string command)
{
command+=m_termChar;
printf("Begin Send: ");
printf(command.c_str());
const char *pszBuf=command.c_str();
DWORD dwSize=strlen(pszBuf);
unsigned long ulNumberOfBytesSent = 0;
unsigned long ulNumberOfBytesWritten;
while(ulNumberOfBytesSent < dwSize)
{
if(WriteFile(m_handle, &pszBuf[ulNumberOfBytesSent], 1, &ulNumberOfBytesWritten, NULL) != 0)
{
if(ulNumberOfBytesWritten > 0)
++ulNumberOfBytesSent;
else
{
printf("\nWrite error %u\n",GetLastError());
break;
}
}
else
{
printf("\nWrite error %u\n",GetLastError());
break;
}
}
printf("\nEnd Send\n");
return ulNumberOfBytesSent==command.length();
} //sendString
/* The recvSerial command searches for the line feed character (\n)
which indicates the end of a return from the Vector20.
Handle is set up when the openCOMM function is called. */
bool SerialCommPort::getResponse(string *response)
{
printf("Begin Reply:\n");
*response="";
int num=0;
int iter=0;
if(m_handle != INVALID_HANDLE_VALUE){
char result[512]={'\0'};
char buf='\0';
int bytesRead=0;
//Vector20Dev has all replies ending with a line feed character
while(buf!='\n'){
bytesRead=readBlock(&buf,1);
result[num]=buf;
num+=bytesRead;
if(iter++>100){
printf("Reply Timeout: Buffer = %s\n",(string)result);
return false;
}
}
printf(result);
*response=result;
}
printf("\nEnd Reply\n");
return num>1;
} //getResponse | [
"mattmunee@hotmail.com"
] | mattmunee@hotmail.com |
7d5c05733b1c52774c930f0fe909bef4438fcc69 | 3901daf59553490993a9c5e001fc8c88c9692e27 | /cppChat/ClientSocket.h | a2fa5bcc06292a4d10553de60e72b06f46d6c458 | [] | no_license | Bokkacheck/ChatApplication-Cpp-CSharp | 64a83321a2fe88355b06eeb918a173aed6077969 | 519a5f0ca075ea97e78b89151152522e69364001 | refs/heads/master | 2022-06-14T06:08:24.678182 | 2020-05-12T14:03:30 | 2020-05-12T14:03:30 | 262,401,684 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 534 | h | #pragma once
#include<WS2tcpip.h>
#include<iostream>
#pragma comment(lib,"ws2_32.lib")
class ClientSocket {
SOCKET pSocket;
public:
ClientSocket(SOCKET pSock): pSocket(pSock) {}
void SendMessageToClient(std::string message) {
send(pSocket,message.c_str() , message.size()+1, 0);
}
std::string GetMessageFromClient() {
char buff[4096];
ZeroMemory(buff, 4096);
int byteRecieved = recv(pSocket, buff, 4096, 0);
if (byteRecieved == SOCKET_ERROR)
{
return "error";
}
return std::string(buff,0, byteRecieved);
}
}; | [
"bokis97@live.com"
] | bokis97@live.com |
36dc7e1584acd2dcf5fa75eae5355d4b3386e533 | ab0a8234e443a6aa152b9f7b135a1e2560e9db33 | /Server/CGSF/LogicLayer/MOGame/account-server/accountclient.h | afb2ef3e6f6c2f63607446bb3635add1bb1fffb2 | [] | no_license | zetarus/Americano | 71c358d8d12b144c8858983c23d9236f7d0e941b | b62466329cf6f515661ef9fb9b9d2ae90a032a60 | refs/heads/master | 2023-04-08T04:26:29.043048 | 2018-04-19T11:21:14 | 2018-04-19T11:21:14 | 104,159,178 | 9 | 2 | null | 2023-03-23T12:10:51 | 2017-09-20T03:11:44 | C++ | UTF-8 | C++ | false | false | 1,872 | h | /*
* The Mana Server
* Copyright (C) 2004-2010 The Mana World Development Team
*
* This file is part of The Mana Server.
*
* The Mana Server is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* any later version.
*
* The Mana Server is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with The Mana Server. If not, see <http://www.gnu.org/licenses/>.
*/
#ifndef ACCOUNTCLIENT_H
#define ACCOUNTCLIENT_H
#include <enet/enet.h>
#include "account-server/account.h"
#include "net/netcomputer.h"
#include <memory>
class AccountHandler;
enum AccountClientStatus
{
CLIENT_LOGIN = 0,
CLIENT_CONNECTED,
CLIENT_QUEUED
};
/**
* A connected computer with an associated account.
*/
class AccountClient : public NetComputer
{
public:
AccountClient(ENetPeer *peer);
void setAccount(Account *acc);
void unsetAccount();
Account *getAccount() const;
AccountClientStatus status;
int version;
private:
std::unique_ptr<Account> mAccount;
};
/**
* Set the account associated with the connection.
*/
inline void AccountClient::setAccount(Account *acc)
{
mAccount.reset(acc);
}
/**
* Unset the account associated with the connection.
*/
inline void AccountClient::unsetAccount()
{
mAccount.reset();
}
/**
* Get account associated with the connection.
*/
inline Account *AccountClient::getAccount() const
{
return mAccount.get();
}
#endif // ACCOUNTCLIENT_H
| [
"sinyonzzang@gmail.com"
] | sinyonzzang@gmail.com |
d7d76bc4a094980810a1bc6c62be0ce60f350343 | 9eda9581cf81d6ce8b0c009a3925ab125b844fce | /src/plugins/ioGPX/gpxreader.h | 3aea27c5f90602d4a3f061b7a1b70238151addb8 | [] | no_license | XavierBerger/gpsbook | a33641a95e0020afd5eb54c69aa445fc7a2ca484 | 81b04c1741d6e568607472111bbbef2f1d72fc59 | refs/heads/master | 2021-01-18T22:31:26.692232 | 2016-05-06T19:19:19 | 2016-05-06T19:19:19 | 32,142,962 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,199 | h | /****************************************************************************
**
** This program is free software; you can redistribute it and/or
** modify it under the terms of the GNU General Public License
** as published by the Free Software Foundation; either version 2
** of the License, or (at your option) any later version.
**
** This program is distributed in the hope that it will be useful,
** but WITHOUT ANY WARRANTY; without even the implied warranty of
** MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
** GNU General Public License for more details.
**
** You should have received a copy of the GNU General Public License
** along with this program; if not, write to the Free Software
** Foundation, Inc., 51 Franklin Street, Fifth Floor,
** Boston, MA 02110-1301, USA.
**
** ---
** Copyright (C) 2009, gpsbook-team
**
****************************************************************************/
#ifndef GPXREADER_H
#define GPXREADER_H
#include <QObject>
#include <QString>
#include <QVariant>
#include <QList>
#include <QDebug>
#include <QXmlStreamWriter>
#include <QXmlStreamReader>
#include <QFile>
#include <QDateTime>
#include "gpsdata.h"
using namespace GPSBook;
namespace PluginIOGPX {
/**
* class GpxReader
*/
class GpxReader: public QXmlStreamReader
{
public:
// Constructors/Destructors
GpxReader(){}
virtual ~GpxReader(){}
bool load( GPSData *gpsdata, QString fileName );
void save( GPSData , QString ){}
private:
QString mCreator;
GPSData* mGPSData;
void readEMail(EMail* email);
void readWayPoint(WayPoint* waypoint);
void readRoute(Route* route);
void readTrackSeg(TrackSeg* trackseg);
void readTrack(Track* track);
void readLink(Link* link);
void readCopyright(Copyright* copyright);
void readPerson(Person* person);
void readMetaData(MetaData* metadata);
QVariantHash readExtensions();
};
} //GpxReader
#endif // GPXREADER_H
| [
"gpxbook@c08623ad-424c-67e4-2eed-d735b91391dd"
] | gpxbook@c08623ad-424c-67e4-2eed-d735b91391dd |
945626c133182143e6b648cf5283854e10b06424 | 4ab4a800ca597ed96799fad235f01f38d3818134 | /lessons4 5/fantabulous_amberis1.ino | c388970f8e02bef41ae08f974924a6f7ff1133e9 | [] | no_license | WangZhaoyuDemo/xd0615 | 388b815a40ee760c2b2c2242bdceafecf53fe28c | c7c15cf8c580425a8de2a50ba022fdae0243ed73 | refs/heads/master | 2022-11-16T23:36:32.485016 | 2020-06-30T14:34:17 | 2020-06-30T14:34:17 | 272,442,074 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,110 | ino | #define IN1 2
#define IN2 3
#define IN3 4
#define IN4 5
#define S1 8
#define S2 9
#define S3 10
#define S4 11
#define LT 6
#define BT 7
void setup()
{
pinMode(IN1, OUTPUT);//输入1
pinMode(IN2, OUTPUT);//输入2
pinMode(IN3, OUTPUT);//输入3
pinMode(IN4, OUTPUT);//输入4
pinMode(S1, OUTPUT);//片选1
pinMode(S2, OUTPUT);//片选2
pinMode(S3, OUTPUT);//片选3
pinMode(S4, OUTPUT);//片选4
pinMode(LT,OUTPUT);//测试
pinMode(BT,OUTPUT);//消隐
digitalWrite(LT,HIGH);
digitalWrite(BT,HIGH);
Serial.begin(9600);
}
byte income = 0;
void loop(){
if(Serial.available() > 0){
digitalWrite(S1,HIGH);
digitalWrite(S2,HIGH);
digitalWrite(S3,HIGH);
digitalWrite(S4,HIGH);
for(int a = 8; a <= 11; a++){
digitalWrite(a,LOW);
income = Serial.read();
income = income-'0';
digitalWrite(IN1,income&0x1);
digitalWrite(IN2,(income>>1)&0x1);
digitalWrite(IN3,(income>>2)&0x1);
digitalWrite(IN4,(income>>3)&0x1);
delay(10);
digitalWrite(a,HIGH);
}
}
} | [
"2535247736@qq.com"
] | 2535247736@qq.com |
4d9dd8dacb15168fd2bb5352122a56fc3c6afea0 | 685a6b96314ddc36872fa6f60a0235c46d150e4f | /AR_Project/Temp/il2cppOutput/il2cppOutput/UnresolvedVirtualCallStubs.cpp | 6cab9f957aab34ccd519d8305c9f4dfb3bfe30cb | [] | no_license | ryou62525/AR_Project | 919b9f8b43a79ed0577f1624f17cf1af9abe2523 | 03824386faf58b2314636b5b5201c276ed3c0e32 | refs/heads/master | 2021-07-15T11:09:44.014728 | 2017-10-16T03:26:53 | 2017-10-16T03:26:53 | 105,864,195 | 0 | 3 | null | 2017-10-16T03:26:54 | 2017-10-05T08:04:57 | C++ | UTF-8 | C++ | false | false | 468,996 | cpp | #include "il2cpp-config.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <stdint.h>
#include "class-internals.h"
#include "codegen/il2cpp-codegen.h"
#include "object-internals.h"
// UnityEngine.Sprite
<<<<<<< HEAD
struct Sprite_t1138198961;
// System.Security.Cryptography.RandomNumberGenerator
struct RandomNumberGenerator_t3968698704;
// System.Byte[]
struct ByteU5BU5D_t2558717259;
// System.Type
struct Type_t;
// System.Void
struct Void_t3484670324;
// System.Char[]
struct CharU5BU5D_t2824666278;
// UnityEngine.GameObject
struct GameObject_t4130227488;
// UnityEngine.EventSystems.BaseRaycaster
struct BaseRaycaster_t1359059382;
=======
struct Sprite_t1087153979;
// System.Security.Cryptography.RandomNumberGenerator
struct RandomNumberGenerator_t3143434466;
// System.Byte[]
struct ByteU5BU5D_t317375469;
// System.Type
struct Type_t;
// System.Void
struct Void_t1196225232;
// System.Char[]
struct CharU5BU5D_t1085015499;
// UnityEngine.GameObject
struct GameObject_t3269658330;
// UnityEngine.EventSystems.BaseRaycaster
struct BaseRaycaster_t1336226547;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.String
struct String_t;
// System.Reflection.MemberInfo
struct MemberInfo_t;
// UnityEngine.UI.Selectable
<<<<<<< HEAD
struct Selectable_t254828583;
// System.String[]
struct StringU5BU5D_t684622533;
// System.Int32[]
struct Int32U5BU5D_t2267711769;
// System.Collections.Generic.Dictionary`2<System.String,Vuforia.WebCamProfile/ProfileData>
struct Dictionary_2_t3909128864;
=======
struct Selectable_t1368096960;
// System.String[]
struct StringU5BU5D_t623663148;
// System.Int32[]
struct Int32U5BU5D_t246198214;
// System.Collections.Generic.Dictionary`2<System.String,Vuforia.WebCamProfile/ProfileData>
struct Dictionary_2_t2863098905;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#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
<<<<<<< HEAD
#ifndef VALUETYPE_T483236627_H
#define VALUETYPE_T483236627_H
=======
#ifndef VALUETYPE_T3449469246_H
#define VALUETYPE_T3449469246_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.ValueType
<<<<<<< HEAD
struct ValueType_t483236627 : public RuntimeObject
=======
struct ValueType_t3449469246 : public RuntimeObject
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.ValueType
<<<<<<< HEAD
struct ValueType_t483236627_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_t483236627_marshaled_com
{
};
#endif // VALUETYPE_T483236627_H
#ifndef UILINEINFO_T2032526008_H
#define UILINEINFO_T2032526008_H
=======
struct ValueType_t3449469246_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_t3449469246_marshaled_com
{
};
#endif // VALUETYPE_T3449469246_H
#ifndef UILINEINFO_T2929281301_H
#define UILINEINFO_T2929281301_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UILineInfo
<<<<<<< HEAD
struct UILineInfo_t2032526008
=======
struct UILineInfo_t2929281301
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.UILineInfo::startCharIdx
int32_t ___startCharIdx_0;
// System.Int32 UnityEngine.UILineInfo::height
int32_t ___height_1;
// System.Single UnityEngine.UILineInfo::topY
float ___topY_2;
// System.Single UnityEngine.UILineInfo::leading
float ___leading_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_startCharIdx_0() { return static_cast<int32_t>(offsetof(UILineInfo_t2032526008, ___startCharIdx_0)); }
=======
inline static int32_t get_offset_of_startCharIdx_0() { return static_cast<int32_t>(offsetof(UILineInfo_t2929281301, ___startCharIdx_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_startCharIdx_0() const { return ___startCharIdx_0; }
inline int32_t* get_address_of_startCharIdx_0() { return &___startCharIdx_0; }
inline void set_startCharIdx_0(int32_t value)
{
___startCharIdx_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(UILineInfo_t2032526008, ___height_1)); }
=======
inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(UILineInfo_t2929281301, ___height_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_height_1() const { return ___height_1; }
inline int32_t* get_address_of_height_1() { return &___height_1; }
inline void set_height_1(int32_t value)
{
___height_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_topY_2() { return static_cast<int32_t>(offsetof(UILineInfo_t2032526008, ___topY_2)); }
=======
inline static int32_t get_offset_of_topY_2() { return static_cast<int32_t>(offsetof(UILineInfo_t2929281301, ___topY_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_topY_2() const { return ___topY_2; }
inline float* get_address_of_topY_2() { return &___topY_2; }
inline void set_topY_2(float value)
{
___topY_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_leading_3() { return static_cast<int32_t>(offsetof(UILineInfo_t2032526008, ___leading_3)); }
=======
inline static int32_t get_offset_of_leading_3() { return static_cast<int32_t>(offsetof(UILineInfo_t2929281301, ___leading_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_leading_3() const { return ___leading_3; }
inline float* get_address_of_leading_3() { return &___leading_3; }
inline void set_leading_3(float value)
{
___leading_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // UILINEINFO_T2032526008_H
#ifndef RECT_T3168234822_H
#define RECT_T3168234822_H
=======
#endif // UILINEINFO_T2929281301_H
#ifndef RECT_T531896660_H
#define RECT_T531896660_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Rect
<<<<<<< HEAD
struct Rect_t3168234822
=======
struct Rect_t531896660
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Single UnityEngine.Rect::m_XMin
float ___m_XMin_0;
// System.Single UnityEngine.Rect::m_YMin
float ___m_YMin_1;
// System.Single UnityEngine.Rect::m_Width
float ___m_Width_2;
// System.Single UnityEngine.Rect::m_Height
float ___m_Height_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_XMin_0() { return static_cast<int32_t>(offsetof(Rect_t3168234822, ___m_XMin_0)); }
=======
inline static int32_t get_offset_of_m_XMin_0() { return static_cast<int32_t>(offsetof(Rect_t531896660, ___m_XMin_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_XMin_0() const { return ___m_XMin_0; }
inline float* get_address_of_m_XMin_0() { return &___m_XMin_0; }
inline void set_m_XMin_0(float value)
{
___m_XMin_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_YMin_1() { return static_cast<int32_t>(offsetof(Rect_t3168234822, ___m_YMin_1)); }
=======
inline static int32_t get_offset_of_m_YMin_1() { return static_cast<int32_t>(offsetof(Rect_t531896660, ___m_YMin_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_YMin_1() const { return ___m_YMin_1; }
inline float* get_address_of_m_YMin_1() { return &___m_YMin_1; }
inline void set_m_YMin_1(float value)
{
___m_YMin_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Width_2() { return static_cast<int32_t>(offsetof(Rect_t3168234822, ___m_Width_2)); }
=======
inline static int32_t get_offset_of_m_Width_2() { return static_cast<int32_t>(offsetof(Rect_t531896660, ___m_Width_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_Width_2() const { return ___m_Width_2; }
inline float* get_address_of_m_Width_2() { return &___m_Width_2; }
inline void set_m_Width_2(float value)
{
___m_Width_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Height_3() { return static_cast<int32_t>(offsetof(Rect_t3168234822, ___m_Height_3)); }
=======
inline static int32_t get_offset_of_m_Height_3() { return static_cast<int32_t>(offsetof(Rect_t531896660, ___m_Height_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_Height_3() const { return ___m_Height_3; }
inline float* get_address_of_m_Height_3() { return &___m_Height_3; }
inline void set_m_Height_3(float value)
{
___m_Height_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RECT_T3168234822_H
#ifndef VIDEOMODEDATA_T1335665951_H
#define VIDEOMODEDATA_T1335665951_H
=======
#endif // RECT_T531896660_H
#ifndef VIDEOMODEDATA_T1955614098_H
#define VIDEOMODEDATA_T1955614098_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.CameraDevice/VideoModeData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VideoModeData_t1335665951
=======
struct VideoModeData_t1955614098
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 Vuforia.CameraDevice/VideoModeData::width
int32_t ___width_0;
// System.Int32 Vuforia.CameraDevice/VideoModeData::height
int32_t ___height_1;
// System.Single Vuforia.CameraDevice/VideoModeData::frameRate
float ___frameRate_2;
// System.Int32 Vuforia.CameraDevice/VideoModeData::unused
int32_t ___unused_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_width_0() { return static_cast<int32_t>(offsetof(VideoModeData_t1335665951, ___width_0)); }
=======
inline static int32_t get_offset_of_width_0() { return static_cast<int32_t>(offsetof(VideoModeData_t1955614098, ___width_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_width_0() const { return ___width_0; }
inline int32_t* get_address_of_width_0() { return &___width_0; }
inline void set_width_0(int32_t value)
{
___width_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(VideoModeData_t1335665951, ___height_1)); }
=======
inline static int32_t get_offset_of_height_1() { return static_cast<int32_t>(offsetof(VideoModeData_t1955614098, ___height_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_height_1() const { return ___height_1; }
inline int32_t* get_address_of_height_1() { return &___height_1; }
inline void set_height_1(int32_t value)
{
___height_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_frameRate_2() { return static_cast<int32_t>(offsetof(VideoModeData_t1335665951, ___frameRate_2)); }
=======
inline static int32_t get_offset_of_frameRate_2() { return static_cast<int32_t>(offsetof(VideoModeData_t1955614098, ___frameRate_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_frameRate_2() const { return ___frameRate_2; }
inline float* get_address_of_frameRate_2() { return &___frameRate_2; }
inline void set_frameRate_2(float value)
{
___frameRate_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(VideoModeData_t1335665951, ___unused_3)); }
=======
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(VideoModeData_t1955614098, ___unused_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_unused_3() const { return ___unused_3; }
inline int32_t* get_address_of_unused_3() { return &___unused_3; }
inline void set_unused_3(int32_t value)
{
___unused_3 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VIDEOMODEDATA_T1335665951_H
#ifndef VEC2I_T1467848268_H
#define VEC2I_T1467848268_H
=======
#endif // VIDEOMODEDATA_T1955614098_H
#ifndef VEC2I_T4096930705_H
#define VEC2I_T4096930705_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaRenderer/Vec2I
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct Vec2I_t1467848268
=======
struct Vec2I_t4096930705
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 Vuforia.VuforiaRenderer/Vec2I::x
int32_t ___x_0;
// System.Int32 Vuforia.VuforiaRenderer/Vec2I::y
int32_t ___y_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vec2I_t1467848268, ___x_0)); }
=======
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vec2I_t4096930705, ___x_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_x_0() const { return ___x_0; }
inline int32_t* get_address_of_x_0() { return &___x_0; }
inline void set_x_0(int32_t value)
{
___x_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vec2I_t1467848268, ___y_1)); }
=======
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vec2I_t4096930705, ___y_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_y_1() const { return ___y_1; }
inline int32_t* get_address_of_y_1() { return &___y_1; }
inline void set_y_1(int32_t value)
{
___y_1 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VEC2I_T1467848268_H
#ifndef VECTOR3_T3312927470_H
#define VECTOR3_T3312927470_H
=======
#endif // VEC2I_T4096930705_H
#ifndef VECTOR3_T112967272_H
#define VECTOR3_T112967272_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector3
<<<<<<< HEAD
struct Vector3_t3312927470
=======
struct Vector3_t112967272
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Single UnityEngine.Vector3::x
float ___x_1;
// System.Single UnityEngine.Vector3::y
float ___y_2;
// System.Single UnityEngine.Vector3::z
float ___z_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector3_t3312927470, ___x_1)); }
=======
inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector3_t112967272, ___x_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector3_t3312927470, ___y_2)); }
=======
inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector3_t112967272, ___y_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector3_t3312927470, ___z_3)); }
=======
inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector3_t112967272, ___z_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
};
<<<<<<< HEAD
struct Vector3_t3312927470_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_t3312927470 ___zeroVector_4;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_t3312927470 ___oneVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_t3312927470 ___upVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_t3312927470 ___downVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_t3312927470 ___leftVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_t3312927470 ___rightVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_t3312927470 ___forwardVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_t3312927470 ___backVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_t3312927470 ___positiveInfinityVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_t3312927470 ___negativeInfinityVector_13;
public:
inline static int32_t get_offset_of_zeroVector_4() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___zeroVector_4)); }
inline Vector3_t3312927470 get_zeroVector_4() const { return ___zeroVector_4; }
inline Vector3_t3312927470 * get_address_of_zeroVector_4() { return &___zeroVector_4; }
inline void set_zeroVector_4(Vector3_t3312927470 value)
=======
struct Vector3_t112967272_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_t112967272 ___zeroVector_4;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_t112967272 ___oneVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_t112967272 ___upVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_t112967272 ___downVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_t112967272 ___leftVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_t112967272 ___rightVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_t112967272 ___forwardVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_t112967272 ___backVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_t112967272 ___positiveInfinityVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_t112967272 ___negativeInfinityVector_13;
public:
inline static int32_t get_offset_of_zeroVector_4() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___zeroVector_4)); }
inline Vector3_t112967272 get_zeroVector_4() const { return ___zeroVector_4; }
inline Vector3_t112967272 * get_address_of_zeroVector_4() { return &___zeroVector_4; }
inline void set_zeroVector_4(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___zeroVector_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_oneVector_5() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___oneVector_5)); }
inline Vector3_t3312927470 get_oneVector_5() const { return ___oneVector_5; }
inline Vector3_t3312927470 * get_address_of_oneVector_5() { return &___oneVector_5; }
inline void set_oneVector_5(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_oneVector_5() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___oneVector_5)); }
inline Vector3_t112967272 get_oneVector_5() const { return ___oneVector_5; }
inline Vector3_t112967272 * get_address_of_oneVector_5() { return &___oneVector_5; }
inline void set_oneVector_5(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___oneVector_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_upVector_6() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___upVector_6)); }
inline Vector3_t3312927470 get_upVector_6() const { return ___upVector_6; }
inline Vector3_t3312927470 * get_address_of_upVector_6() { return &___upVector_6; }
inline void set_upVector_6(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_upVector_6() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___upVector_6)); }
inline Vector3_t112967272 get_upVector_6() const { return ___upVector_6; }
inline Vector3_t112967272 * get_address_of_upVector_6() { return &___upVector_6; }
inline void set_upVector_6(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___upVector_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_downVector_7() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___downVector_7)); }
inline Vector3_t3312927470 get_downVector_7() const { return ___downVector_7; }
inline Vector3_t3312927470 * get_address_of_downVector_7() { return &___downVector_7; }
inline void set_downVector_7(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_downVector_7() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___downVector_7)); }
inline Vector3_t112967272 get_downVector_7() const { return ___downVector_7; }
inline Vector3_t112967272 * get_address_of_downVector_7() { return &___downVector_7; }
inline void set_downVector_7(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___downVector_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_leftVector_8() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___leftVector_8)); }
inline Vector3_t3312927470 get_leftVector_8() const { return ___leftVector_8; }
inline Vector3_t3312927470 * get_address_of_leftVector_8() { return &___leftVector_8; }
inline void set_leftVector_8(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_leftVector_8() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___leftVector_8)); }
inline Vector3_t112967272 get_leftVector_8() const { return ___leftVector_8; }
inline Vector3_t112967272 * get_address_of_leftVector_8() { return &___leftVector_8; }
inline void set_leftVector_8(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___leftVector_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_rightVector_9() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___rightVector_9)); }
inline Vector3_t3312927470 get_rightVector_9() const { return ___rightVector_9; }
inline Vector3_t3312927470 * get_address_of_rightVector_9() { return &___rightVector_9; }
inline void set_rightVector_9(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_rightVector_9() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___rightVector_9)); }
inline Vector3_t112967272 get_rightVector_9() const { return ___rightVector_9; }
inline Vector3_t112967272 * get_address_of_rightVector_9() { return &___rightVector_9; }
inline void set_rightVector_9(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___rightVector_9 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_forwardVector_10() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___forwardVector_10)); }
inline Vector3_t3312927470 get_forwardVector_10() const { return ___forwardVector_10; }
inline Vector3_t3312927470 * get_address_of_forwardVector_10() { return &___forwardVector_10; }
inline void set_forwardVector_10(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_forwardVector_10() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___forwardVector_10)); }
inline Vector3_t112967272 get_forwardVector_10() const { return ___forwardVector_10; }
inline Vector3_t112967272 * get_address_of_forwardVector_10() { return &___forwardVector_10; }
inline void set_forwardVector_10(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___forwardVector_10 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_backVector_11() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___backVector_11)); }
inline Vector3_t3312927470 get_backVector_11() const { return ___backVector_11; }
inline Vector3_t3312927470 * get_address_of_backVector_11() { return &___backVector_11; }
inline void set_backVector_11(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_backVector_11() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___backVector_11)); }
inline Vector3_t112967272 get_backVector_11() const { return ___backVector_11; }
inline Vector3_t112967272 * get_address_of_backVector_11() { return &___backVector_11; }
inline void set_backVector_11(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___backVector_11 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_positiveInfinityVector_12() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___positiveInfinityVector_12)); }
inline Vector3_t3312927470 get_positiveInfinityVector_12() const { return ___positiveInfinityVector_12; }
inline Vector3_t3312927470 * get_address_of_positiveInfinityVector_12() { return &___positiveInfinityVector_12; }
inline void set_positiveInfinityVector_12(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_positiveInfinityVector_12() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___positiveInfinityVector_12)); }
inline Vector3_t112967272 get_positiveInfinityVector_12() const { return ___positiveInfinityVector_12; }
inline Vector3_t112967272 * get_address_of_positiveInfinityVector_12() { return &___positiveInfinityVector_12; }
inline void set_positiveInfinityVector_12(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___positiveInfinityVector_12 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_negativeInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_t3312927470_StaticFields, ___negativeInfinityVector_13)); }
inline Vector3_t3312927470 get_negativeInfinityVector_13() const { return ___negativeInfinityVector_13; }
inline Vector3_t3312927470 * get_address_of_negativeInfinityVector_13() { return &___negativeInfinityVector_13; }
inline void set_negativeInfinityVector_13(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_negativeInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_t112967272_StaticFields, ___negativeInfinityVector_13)); }
inline Vector3_t112967272 get_negativeInfinityVector_13() const { return ___negativeInfinityVector_13; }
inline Vector3_t112967272 * get_address_of_negativeInfinityVector_13() { return &___negativeInfinityVector_13; }
inline void set_negativeInfinityVector_13(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___negativeInfinityVector_13 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VECTOR3_T3312927470_H
#ifndef QUATERNION_T1878978572_H
#define QUATERNION_T1878978572_H
=======
#endif // VECTOR3_T112967272_H
#ifndef QUATERNION_T3908180047_H
#define QUATERNION_T3908180047_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Quaternion
<<<<<<< HEAD
struct Quaternion_t1878978572
=======
struct Quaternion_t3908180047
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
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:
<<<<<<< HEAD
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Quaternion_t1878978572, ___x_0)); }
=======
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Quaternion_t3908180047, ___x_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Quaternion_t1878978572, ___y_1)); }
=======
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Quaternion_t3908180047, ___y_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_z_2() { return static_cast<int32_t>(offsetof(Quaternion_t1878978572, ___z_2)); }
=======
inline static int32_t get_offset_of_z_2() { return static_cast<int32_t>(offsetof(Quaternion_t3908180047, ___z_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_w_3() { return static_cast<int32_t>(offsetof(Quaternion_t1878978572, ___w_3)); }
=======
inline static int32_t get_offset_of_w_3() { return static_cast<int32_t>(offsetof(Quaternion_t3908180047, ___w_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
};
<<<<<<< HEAD
struct Quaternion_t1878978572_StaticFields
{
public:
// UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion
Quaternion_t1878978572 ___identityQuaternion_4;
public:
inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t1878978572_StaticFields, ___identityQuaternion_4)); }
inline Quaternion_t1878978572 get_identityQuaternion_4() const { return ___identityQuaternion_4; }
inline Quaternion_t1878978572 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; }
inline void set_identityQuaternion_4(Quaternion_t1878978572 value)
=======
struct Quaternion_t3908180047_StaticFields
{
public:
// UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion
Quaternion_t3908180047 ___identityQuaternion_4;
public:
inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t3908180047_StaticFields, ___identityQuaternion_4)); }
inline Quaternion_t3908180047 get_identityQuaternion_4() const { return ___identityQuaternion_4; }
inline Quaternion_t3908180047 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; }
inline void set_identityQuaternion_4(Quaternion_t3908180047 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___identityQuaternion_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // QUATERNION_T1878978572_H
#ifndef TRACKABLEIDPAIR_T1666048011_H
#define TRACKABLEIDPAIR_T1666048011_H
=======
#endif // QUATERNION_T3908180047_H
#ifndef TRACKABLEIDPAIR_T1976598170_H
#define TRACKABLEIDPAIR_T1976598170_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManager/TrackableIdPair
<<<<<<< HEAD
struct TrackableIdPair_t1666048011
=======
struct TrackableIdPair_t1976598170
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 Vuforia.VuforiaManager/TrackableIdPair::TrackableId
int32_t ___TrackableId_0;
// System.Int32 Vuforia.VuforiaManager/TrackableIdPair::ResultId
int32_t ___ResultId_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_TrackableId_0() { return static_cast<int32_t>(offsetof(TrackableIdPair_t1666048011, ___TrackableId_0)); }
=======
inline static int32_t get_offset_of_TrackableId_0() { return static_cast<int32_t>(offsetof(TrackableIdPair_t1976598170, ___TrackableId_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_TrackableId_0() const { return ___TrackableId_0; }
inline int32_t* get_address_of_TrackableId_0() { return &___TrackableId_0; }
inline void set_TrackableId_0(int32_t value)
{
___TrackableId_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ResultId_1() { return static_cast<int32_t>(offsetof(TrackableIdPair_t1666048011, ___ResultId_1)); }
=======
inline static int32_t get_offset_of_ResultId_1() { return static_cast<int32_t>(offsetof(TrackableIdPair_t1976598170, ___ResultId_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_ResultId_1() const { return ___ResultId_1; }
inline int32_t* get_address_of_ResultId_1() { return &___ResultId_1; }
inline void set_ResultId_1(int32_t value)
{
___ResultId_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // TRACKABLEIDPAIR_T1666048011_H
#ifndef SMARTTERRAININITIALIZATIONINFO_T1034694908_H
#define SMARTTERRAININITIALIZATIONINFO_T1034694908_H
=======
#endif // TRACKABLEIDPAIR_T1976598170_H
#ifndef SMARTTERRAININITIALIZATIONINFO_T4278714424_H
#define SMARTTERRAININITIALIZATIONINFO_T4278714424_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.SmartTerrainInitializationInfo
<<<<<<< HEAD
struct SmartTerrainInitializationInfo_t1034694908
=======
struct SmartTerrainInitializationInfo_t4278714424
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
union
{
struct
{
};
<<<<<<< HEAD
uint8_t SmartTerrainInitializationInfo_t1034694908__padding[1];
=======
uint8_t SmartTerrainInitializationInfo_t4278714424__padding[1];
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
};
public:
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // SMARTTERRAININITIALIZATIONINFO_T1034694908_H
#ifndef MATRIX4X4_T3189696810_H
#define MATRIX4X4_T3189696810_H
=======
#endif // SMARTTERRAININITIALIZATIONINFO_T4278714424_H
#ifndef MATRIX4X4_T4074725780_H
#define MATRIX4X4_T4074725780_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Matrix4x4
<<<<<<< HEAD
struct Matrix4x4_t3189696810
=======
struct Matrix4x4_t4074725780
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Single UnityEngine.Matrix4x4::m00
float ___m00_0;
// System.Single UnityEngine.Matrix4x4::m10
float ___m10_1;
// System.Single UnityEngine.Matrix4x4::m20
float ___m20_2;
// System.Single UnityEngine.Matrix4x4::m30
float ___m30_3;
// System.Single UnityEngine.Matrix4x4::m01
float ___m01_4;
// System.Single UnityEngine.Matrix4x4::m11
float ___m11_5;
// System.Single UnityEngine.Matrix4x4::m21
float ___m21_6;
// System.Single UnityEngine.Matrix4x4::m31
float ___m31_7;
// System.Single UnityEngine.Matrix4x4::m02
float ___m02_8;
// System.Single UnityEngine.Matrix4x4::m12
float ___m12_9;
// System.Single UnityEngine.Matrix4x4::m22
float ___m22_10;
// System.Single UnityEngine.Matrix4x4::m32
float ___m32_11;
// System.Single UnityEngine.Matrix4x4::m03
float ___m03_12;
// System.Single UnityEngine.Matrix4x4::m13
float ___m13_13;
// System.Single UnityEngine.Matrix4x4::m23
float ___m23_14;
// System.Single UnityEngine.Matrix4x4::m33
float ___m33_15;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m00_0() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m00_0)); }
=======
inline static int32_t get_offset_of_m00_0() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m00_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m00_0() const { return ___m00_0; }
inline float* get_address_of_m00_0() { return &___m00_0; }
inline void set_m00_0(float value)
{
___m00_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m10_1() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m10_1)); }
=======
inline static int32_t get_offset_of_m10_1() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m10_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m10_1() const { return ___m10_1; }
inline float* get_address_of_m10_1() { return &___m10_1; }
inline void set_m10_1(float value)
{
___m10_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m20_2() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m20_2)); }
=======
inline static int32_t get_offset_of_m20_2() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m20_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m20_2() const { return ___m20_2; }
inline float* get_address_of_m20_2() { return &___m20_2; }
inline void set_m20_2(float value)
{
___m20_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m30_3() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m30_3)); }
=======
inline static int32_t get_offset_of_m30_3() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m30_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m30_3() const { return ___m30_3; }
inline float* get_address_of_m30_3() { return &___m30_3; }
inline void set_m30_3(float value)
{
___m30_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m01_4() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m01_4)); }
=======
inline static int32_t get_offset_of_m01_4() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m01_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m01_4() const { return ___m01_4; }
inline float* get_address_of_m01_4() { return &___m01_4; }
inline void set_m01_4(float value)
{
___m01_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m11_5() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m11_5)); }
=======
inline static int32_t get_offset_of_m11_5() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m11_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m11_5() const { return ___m11_5; }
inline float* get_address_of_m11_5() { return &___m11_5; }
inline void set_m11_5(float value)
{
___m11_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m21_6() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m21_6)); }
=======
inline static int32_t get_offset_of_m21_6() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m21_6)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m21_6() const { return ___m21_6; }
inline float* get_address_of_m21_6() { return &___m21_6; }
inline void set_m21_6(float value)
{
___m21_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m31_7() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m31_7)); }
=======
inline static int32_t get_offset_of_m31_7() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m31_7)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m31_7() const { return ___m31_7; }
inline float* get_address_of_m31_7() { return &___m31_7; }
inline void set_m31_7(float value)
{
___m31_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m02_8() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m02_8)); }
=======
inline static int32_t get_offset_of_m02_8() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m02_8)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m02_8() const { return ___m02_8; }
inline float* get_address_of_m02_8() { return &___m02_8; }
inline void set_m02_8(float value)
{
___m02_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m12_9() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m12_9)); }
=======
inline static int32_t get_offset_of_m12_9() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m12_9)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m12_9() const { return ___m12_9; }
inline float* get_address_of_m12_9() { return &___m12_9; }
inline void set_m12_9(float value)
{
___m12_9 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m22_10() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m22_10)); }
=======
inline static int32_t get_offset_of_m22_10() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m22_10)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m22_10() const { return ___m22_10; }
inline float* get_address_of_m22_10() { return &___m22_10; }
inline void set_m22_10(float value)
{
___m22_10 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m32_11() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m32_11)); }
=======
inline static int32_t get_offset_of_m32_11() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m32_11)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m32_11() const { return ___m32_11; }
inline float* get_address_of_m32_11() { return &___m32_11; }
inline void set_m32_11(float value)
{
___m32_11 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m03_12() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m03_12)); }
=======
inline static int32_t get_offset_of_m03_12() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m03_12)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m03_12() const { return ___m03_12; }
inline float* get_address_of_m03_12() { return &___m03_12; }
inline void set_m03_12(float value)
{
___m03_12 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m13_13() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m13_13)); }
=======
inline static int32_t get_offset_of_m13_13() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m13_13)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m13_13() const { return ___m13_13; }
inline float* get_address_of_m13_13() { return &___m13_13; }
inline void set_m13_13(float value)
{
___m13_13 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m23_14() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m23_14)); }
=======
inline static int32_t get_offset_of_m23_14() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m23_14)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m23_14() const { return ___m23_14; }
inline float* get_address_of_m23_14() { return &___m23_14; }
inline void set_m23_14(float value)
{
___m23_14 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m33_15() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810, ___m33_15)); }
=======
inline static int32_t get_offset_of_m33_15() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780, ___m33_15)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m33_15() const { return ___m33_15; }
inline float* get_address_of_m33_15() { return &___m33_15; }
inline void set_m33_15(float value)
{
___m33_15 = value;
}
};
<<<<<<< HEAD
struct Matrix4x4_t3189696810_StaticFields
{
public:
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::zeroMatrix
Matrix4x4_t3189696810 ___zeroMatrix_16;
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::identityMatrix
Matrix4x4_t3189696810 ___identityMatrix_17;
public:
inline static int32_t get_offset_of_zeroMatrix_16() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810_StaticFields, ___zeroMatrix_16)); }
inline Matrix4x4_t3189696810 get_zeroMatrix_16() const { return ___zeroMatrix_16; }
inline Matrix4x4_t3189696810 * get_address_of_zeroMatrix_16() { return &___zeroMatrix_16; }
inline void set_zeroMatrix_16(Matrix4x4_t3189696810 value)
=======
struct Matrix4x4_t4074725780_StaticFields
{
public:
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::zeroMatrix
Matrix4x4_t4074725780 ___zeroMatrix_16;
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::identityMatrix
Matrix4x4_t4074725780 ___identityMatrix_17;
public:
inline static int32_t get_offset_of_zeroMatrix_16() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780_StaticFields, ___zeroMatrix_16)); }
inline Matrix4x4_t4074725780 get_zeroMatrix_16() const { return ___zeroMatrix_16; }
inline Matrix4x4_t4074725780 * get_address_of_zeroMatrix_16() { return &___zeroMatrix_16; }
inline void set_zeroMatrix_16(Matrix4x4_t4074725780 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___zeroMatrix_16 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_identityMatrix_17() { return static_cast<int32_t>(offsetof(Matrix4x4_t3189696810_StaticFields, ___identityMatrix_17)); }
inline Matrix4x4_t3189696810 get_identityMatrix_17() const { return ___identityMatrix_17; }
inline Matrix4x4_t3189696810 * get_address_of_identityMatrix_17() { return &___identityMatrix_17; }
inline void set_identityMatrix_17(Matrix4x4_t3189696810 value)
=======
inline static int32_t get_offset_of_identityMatrix_17() { return static_cast<int32_t>(offsetof(Matrix4x4_t4074725780_StaticFields, ___identityMatrix_17)); }
inline Matrix4x4_t4074725780 get_identityMatrix_17() const { return ___identityMatrix_17; }
inline Matrix4x4_t4074725780 * get_address_of_identityMatrix_17() { return &___identityMatrix_17; }
inline void set_identityMatrix_17(Matrix4x4_t4074725780 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___identityMatrix_17 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // MATRIX4X4_T3189696810_H
#ifndef SPRITESTATE_T3445807736_H
#define SPRITESTATE_T3445807736_H
=======
#endif // MATRIX4X4_T4074725780_H
#ifndef SPRITESTATE_T1688011898_H
#define SPRITESTATE_T1688011898_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UI.SpriteState
<<<<<<< HEAD
struct SpriteState_t3445807736
{
public:
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_HighlightedSprite
Sprite_t1138198961 * ___m_HighlightedSprite_0;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_PressedSprite
Sprite_t1138198961 * ___m_PressedSprite_1;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_DisabledSprite
Sprite_t1138198961 * ___m_DisabledSprite_2;
public:
inline static int32_t get_offset_of_m_HighlightedSprite_0() { return static_cast<int32_t>(offsetof(SpriteState_t3445807736, ___m_HighlightedSprite_0)); }
inline Sprite_t1138198961 * get_m_HighlightedSprite_0() const { return ___m_HighlightedSprite_0; }
inline Sprite_t1138198961 ** get_address_of_m_HighlightedSprite_0() { return &___m_HighlightedSprite_0; }
inline void set_m_HighlightedSprite_0(Sprite_t1138198961 * value)
=======
struct SpriteState_t1688011898
{
public:
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_HighlightedSprite
Sprite_t1087153979 * ___m_HighlightedSprite_0;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_PressedSprite
Sprite_t1087153979 * ___m_PressedSprite_1;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_DisabledSprite
Sprite_t1087153979 * ___m_DisabledSprite_2;
public:
inline static int32_t get_offset_of_m_HighlightedSprite_0() { return static_cast<int32_t>(offsetof(SpriteState_t1688011898, ___m_HighlightedSprite_0)); }
inline Sprite_t1087153979 * get_m_HighlightedSprite_0() const { return ___m_HighlightedSprite_0; }
inline Sprite_t1087153979 ** get_address_of_m_HighlightedSprite_0() { return &___m_HighlightedSprite_0; }
inline void set_m_HighlightedSprite_0(Sprite_t1087153979 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_HighlightedSprite_0 = value;
Il2CppCodeGenWriteBarrier((&___m_HighlightedSprite_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_PressedSprite_1() { return static_cast<int32_t>(offsetof(SpriteState_t3445807736, ___m_PressedSprite_1)); }
inline Sprite_t1138198961 * get_m_PressedSprite_1() const { return ___m_PressedSprite_1; }
inline Sprite_t1138198961 ** get_address_of_m_PressedSprite_1() { return &___m_PressedSprite_1; }
inline void set_m_PressedSprite_1(Sprite_t1138198961 * value)
=======
inline static int32_t get_offset_of_m_PressedSprite_1() { return static_cast<int32_t>(offsetof(SpriteState_t1688011898, ___m_PressedSprite_1)); }
inline Sprite_t1087153979 * get_m_PressedSprite_1() const { return ___m_PressedSprite_1; }
inline Sprite_t1087153979 ** get_address_of_m_PressedSprite_1() { return &___m_PressedSprite_1; }
inline void set_m_PressedSprite_1(Sprite_t1087153979 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_PressedSprite_1 = value;
Il2CppCodeGenWriteBarrier((&___m_PressedSprite_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_DisabledSprite_2() { return static_cast<int32_t>(offsetof(SpriteState_t3445807736, ___m_DisabledSprite_2)); }
inline Sprite_t1138198961 * get_m_DisabledSprite_2() const { return ___m_DisabledSprite_2; }
inline Sprite_t1138198961 ** get_address_of_m_DisabledSprite_2() { return &___m_DisabledSprite_2; }
inline void set_m_DisabledSprite_2(Sprite_t1138198961 * value)
=======
inline static int32_t get_offset_of_m_DisabledSprite_2() { return static_cast<int32_t>(offsetof(SpriteState_t1688011898, ___m_DisabledSprite_2)); }
inline Sprite_t1087153979 * get_m_DisabledSprite_2() const { return ___m_DisabledSprite_2; }
inline Sprite_t1087153979 ** get_address_of_m_DisabledSprite_2() { return &___m_DisabledSprite_2; }
inline void set_m_DisabledSprite_2(Sprite_t1087153979 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_DisabledSprite_2 = value;
Il2CppCodeGenWriteBarrier((&___m_DisabledSprite_2), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.UI.SpriteState
<<<<<<< HEAD
struct SpriteState_t3445807736_marshaled_pinvoke
{
Sprite_t1138198961 * ___m_HighlightedSprite_0;
Sprite_t1138198961 * ___m_PressedSprite_1;
Sprite_t1138198961 * ___m_DisabledSprite_2;
};
// Native definition for COM marshalling of UnityEngine.UI.SpriteState
struct SpriteState_t3445807736_marshaled_com
{
Sprite_t1138198961 * ___m_HighlightedSprite_0;
Sprite_t1138198961 * ___m_PressedSprite_1;
Sprite_t1138198961 * ___m_DisabledSprite_2;
};
#endif // SPRITESTATE_T3445807736_H
#ifndef ANIMATORCLIPINFO_T3702041789_H
#define ANIMATORCLIPINFO_T3702041789_H
=======
struct SpriteState_t1688011898_marshaled_pinvoke
{
Sprite_t1087153979 * ___m_HighlightedSprite_0;
Sprite_t1087153979 * ___m_PressedSprite_1;
Sprite_t1087153979 * ___m_DisabledSprite_2;
};
// Native definition for COM marshalling of UnityEngine.UI.SpriteState
struct SpriteState_t1688011898_marshaled_com
{
Sprite_t1087153979 * ___m_HighlightedSprite_0;
Sprite_t1087153979 * ___m_PressedSprite_1;
Sprite_t1087153979 * ___m_DisabledSprite_2;
};
#endif // SPRITESTATE_T1688011898_H
#ifndef ANIMATORCLIPINFO_T1975935497_H
#define ANIMATORCLIPINFO_T1975935497_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.AnimatorClipInfo
<<<<<<< HEAD
struct AnimatorClipInfo_t3702041789
=======
struct AnimatorClipInfo_t1975935497
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.AnimatorClipInfo::m_ClipInstanceID
int32_t ___m_ClipInstanceID_0;
// System.Single UnityEngine.AnimatorClipInfo::m_Weight
float ___m_Weight_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_ClipInstanceID_0() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t3702041789, ___m_ClipInstanceID_0)); }
=======
inline static int32_t get_offset_of_m_ClipInstanceID_0() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t1975935497, ___m_ClipInstanceID_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_ClipInstanceID_0() const { return ___m_ClipInstanceID_0; }
inline int32_t* get_address_of_m_ClipInstanceID_0() { return &___m_ClipInstanceID_0; }
inline void set_m_ClipInstanceID_0(int32_t value)
{
___m_ClipInstanceID_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Weight_1() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t3702041789, ___m_Weight_1)); }
=======
inline static int32_t get_offset_of_m_Weight_1() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t1975935497, ___m_Weight_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_Weight_1() const { return ___m_Weight_1; }
inline float* get_address_of_m_Weight_1() { return &___m_Weight_1; }
inline void set_m_Weight_1(float value)
{
___m_Weight_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // ANIMATORCLIPINFO_T3702041789_H
#ifndef COLOR32_T3179578099_H
#define COLOR32_T3179578099_H
=======
#endif // ANIMATORCLIPINFO_T1975935497_H
#ifndef COLOR32_T2389191297_H
#define COLOR32_T2389191297_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Color32
<<<<<<< HEAD
struct ALIGN_TYPE(4) Color32_t3179578099
=======
struct ALIGN_TYPE(4) Color32_t2389191297
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Byte UnityEngine.Color32::r
uint8_t ___r_0;
// System.Byte UnityEngine.Color32::g
uint8_t ___g_1;
// System.Byte UnityEngine.Color32::b
uint8_t ___b_2;
// System.Byte UnityEngine.Color32::a
uint8_t ___a_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color32_t3179578099, ___r_0)); }
=======
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color32_t2389191297, ___r_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_r_0() const { return ___r_0; }
inline uint8_t* get_address_of_r_0() { return &___r_0; }
inline void set_r_0(uint8_t value)
{
___r_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color32_t3179578099, ___g_1)); }
=======
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color32_t2389191297, ___g_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_g_1() const { return ___g_1; }
inline uint8_t* get_address_of_g_1() { return &___g_1; }
inline void set_g_1(uint8_t value)
{
___g_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color32_t3179578099, ___b_2)); }
=======
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color32_t2389191297, ___b_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_b_2() const { return ___b_2; }
inline uint8_t* get_address_of_b_2() { return &___b_2; }
inline void set_b_2(uint8_t value)
{
___b_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color32_t3179578099, ___a_3)); }
=======
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color32_t2389191297, ___a_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_a_3() const { return ___a_3; }
inline uint8_t* get_address_of_a_3() { return &___a_3; }
inline void set_a_3(uint8_t value)
{
___a_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // COLOR32_T3179578099_H
#ifndef VECTOR4_T1654968719_H
#define VECTOR4_T1654968719_H
=======
#endif // COLOR32_T2389191297_H
#ifndef VECTOR4_T289747491_H
#define VECTOR4_T289747491_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector4
<<<<<<< HEAD
struct Vector4_t1654968719
=======
struct Vector4_t289747491
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
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:
<<<<<<< HEAD
inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector4_t1654968719, ___x_1)); }
=======
inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(Vector4_t289747491, ___x_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector4_t1654968719, ___y_2)); }
=======
inline static int32_t get_offset_of_y_2() { return static_cast<int32_t>(offsetof(Vector4_t289747491, ___y_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector4_t1654968719, ___z_3)); }
=======
inline static int32_t get_offset_of_z_3() { return static_cast<int32_t>(offsetof(Vector4_t289747491, ___z_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_w_4() { return static_cast<int32_t>(offsetof(Vector4_t1654968719, ___w_4)); }
=======
inline static int32_t get_offset_of_w_4() { return static_cast<int32_t>(offsetof(Vector4_t289747491, ___w_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
};
<<<<<<< HEAD
struct Vector4_t1654968719_StaticFields
{
public:
// UnityEngine.Vector4 UnityEngine.Vector4::zeroVector
Vector4_t1654968719 ___zeroVector_5;
// UnityEngine.Vector4 UnityEngine.Vector4::oneVector
Vector4_t1654968719 ___oneVector_6;
// UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector
Vector4_t1654968719 ___positiveInfinityVector_7;
// UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector
Vector4_t1654968719 ___negativeInfinityVector_8;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector4_t1654968719_StaticFields, ___zeroVector_5)); }
inline Vector4_t1654968719 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector4_t1654968719 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector4_t1654968719 value)
=======
struct Vector4_t289747491_StaticFields
{
public:
// UnityEngine.Vector4 UnityEngine.Vector4::zeroVector
Vector4_t289747491 ___zeroVector_5;
// UnityEngine.Vector4 UnityEngine.Vector4::oneVector
Vector4_t289747491 ___oneVector_6;
// UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector
Vector4_t289747491 ___positiveInfinityVector_7;
// UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector
Vector4_t289747491 ___negativeInfinityVector_8;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector4_t289747491_StaticFields, ___zeroVector_5)); }
inline Vector4_t289747491 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector4_t289747491 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___zeroVector_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector4_t1654968719_StaticFields, ___oneVector_6)); }
inline Vector4_t1654968719 get_oneVector_6() const { return ___oneVector_6; }
inline Vector4_t1654968719 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector4_t1654968719 value)
=======
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector4_t289747491_StaticFields, ___oneVector_6)); }
inline Vector4_t289747491 get_oneVector_6() const { return ___oneVector_6; }
inline Vector4_t289747491 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___oneVector_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_positiveInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_t1654968719_StaticFields, ___positiveInfinityVector_7)); }
inline Vector4_t1654968719 get_positiveInfinityVector_7() const { return ___positiveInfinityVector_7; }
inline Vector4_t1654968719 * get_address_of_positiveInfinityVector_7() { return &___positiveInfinityVector_7; }
inline void set_positiveInfinityVector_7(Vector4_t1654968719 value)
=======
inline static int32_t get_offset_of_positiveInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_t289747491_StaticFields, ___positiveInfinityVector_7)); }
inline Vector4_t289747491 get_positiveInfinityVector_7() const { return ___positiveInfinityVector_7; }
inline Vector4_t289747491 * get_address_of_positiveInfinityVector_7() { return &___positiveInfinityVector_7; }
inline void set_positiveInfinityVector_7(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___positiveInfinityVector_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_negativeInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector4_t1654968719_StaticFields, ___negativeInfinityVector_8)); }
inline Vector4_t1654968719 get_negativeInfinityVector_8() const { return ___negativeInfinityVector_8; }
inline Vector4_t1654968719 * get_address_of_negativeInfinityVector_8() { return &___negativeInfinityVector_8; }
inline void set_negativeInfinityVector_8(Vector4_t1654968719 value)
=======
inline static int32_t get_offset_of_negativeInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector4_t289747491_StaticFields, ___negativeInfinityVector_8)); }
inline Vector4_t289747491 get_negativeInfinityVector_8() const { return ___negativeInfinityVector_8; }
inline Vector4_t289747491 * get_address_of_negativeInfinityVector_8() { return &___negativeInfinityVector_8; }
inline void set_negativeInfinityVector_8(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___negativeInfinityVector_8 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VECTOR4_T1654968719_H
=======
#endif // VECTOR4_T289747491_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifndef GUID_T_H
#define GUID_T_H
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Guid
struct Guid_t
{
public:
// System.Int32 System.Guid::_a
int32_t ____a_0;
// System.Int16 System.Guid::_b
int16_t ____b_1;
// System.Int16 System.Guid::_c
int16_t ____c_2;
// System.Byte System.Guid::_d
uint8_t ____d_3;
// System.Byte System.Guid::_e
uint8_t ____e_4;
// System.Byte System.Guid::_f
uint8_t ____f_5;
// System.Byte System.Guid::_g
uint8_t ____g_6;
// System.Byte System.Guid::_h
uint8_t ____h_7;
// System.Byte System.Guid::_i
uint8_t ____i_8;
// System.Byte System.Guid::_j
uint8_t ____j_9;
// System.Byte System.Guid::_k
uint8_t ____k_10;
public:
inline static int32_t get_offset_of__a_0() { return static_cast<int32_t>(offsetof(Guid_t, ____a_0)); }
inline int32_t get__a_0() const { return ____a_0; }
inline int32_t* get_address_of__a_0() { return &____a_0; }
inline void set__a_0(int32_t value)
{
____a_0 = value;
}
inline static int32_t get_offset_of__b_1() { return static_cast<int32_t>(offsetof(Guid_t, ____b_1)); }
inline int16_t get__b_1() const { return ____b_1; }
inline int16_t* get_address_of__b_1() { return &____b_1; }
inline void set__b_1(int16_t value)
{
____b_1 = value;
}
inline static int32_t get_offset_of__c_2() { return static_cast<int32_t>(offsetof(Guid_t, ____c_2)); }
inline int16_t get__c_2() const { return ____c_2; }
inline int16_t* get_address_of__c_2() { return &____c_2; }
inline void set__c_2(int16_t value)
{
____c_2 = value;
}
inline static int32_t get_offset_of__d_3() { return static_cast<int32_t>(offsetof(Guid_t, ____d_3)); }
inline uint8_t get__d_3() const { return ____d_3; }
inline uint8_t* get_address_of__d_3() { return &____d_3; }
inline void set__d_3(uint8_t value)
{
____d_3 = value;
}
inline static int32_t get_offset_of__e_4() { return static_cast<int32_t>(offsetof(Guid_t, ____e_4)); }
inline uint8_t get__e_4() const { return ____e_4; }
inline uint8_t* get_address_of__e_4() { return &____e_4; }
inline void set__e_4(uint8_t value)
{
____e_4 = value;
}
inline static int32_t get_offset_of__f_5() { return static_cast<int32_t>(offsetof(Guid_t, ____f_5)); }
inline uint8_t get__f_5() const { return ____f_5; }
inline uint8_t* get_address_of__f_5() { return &____f_5; }
inline void set__f_5(uint8_t value)
{
____f_5 = value;
}
inline static int32_t get_offset_of__g_6() { return static_cast<int32_t>(offsetof(Guid_t, ____g_6)); }
inline uint8_t get__g_6() const { return ____g_6; }
inline uint8_t* get_address_of__g_6() { return &____g_6; }
inline void set__g_6(uint8_t value)
{
____g_6 = value;
}
inline static int32_t get_offset_of__h_7() { return static_cast<int32_t>(offsetof(Guid_t, ____h_7)); }
inline uint8_t get__h_7() const { return ____h_7; }
inline uint8_t* get_address_of__h_7() { return &____h_7; }
inline void set__h_7(uint8_t value)
{
____h_7 = value;
}
inline static int32_t get_offset_of__i_8() { return static_cast<int32_t>(offsetof(Guid_t, ____i_8)); }
inline uint8_t get__i_8() const { return ____i_8; }
inline uint8_t* get_address_of__i_8() { return &____i_8; }
inline void set__i_8(uint8_t value)
{
____i_8 = value;
}
inline static int32_t get_offset_of__j_9() { return static_cast<int32_t>(offsetof(Guid_t, ____j_9)); }
inline uint8_t get__j_9() const { return ____j_9; }
inline uint8_t* get_address_of__j_9() { return &____j_9; }
inline void set__j_9(uint8_t value)
{
____j_9 = value;
}
inline static int32_t get_offset_of__k_10() { return static_cast<int32_t>(offsetof(Guid_t, ____k_10)); }
inline uint8_t get__k_10() const { return ____k_10; }
inline uint8_t* get_address_of__k_10() { return &____k_10; }
inline void set__k_10(uint8_t value)
{
____k_10 = value;
}
};
struct Guid_t_StaticFields
{
public:
// System.Guid System.Guid::Empty
Guid_t ___Empty_11;
// System.Object System.Guid::_rngAccess
RuntimeObject * ____rngAccess_12;
// System.Security.Cryptography.RandomNumberGenerator System.Guid::_rng
<<<<<<< HEAD
RandomNumberGenerator_t3968698704 * ____rng_13;
=======
RandomNumberGenerator_t3143434466 * ____rng_13;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
public:
inline static int32_t get_offset_of_Empty_11() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ___Empty_11)); }
inline Guid_t get_Empty_11() const { return ___Empty_11; }
inline Guid_t * get_address_of_Empty_11() { return &___Empty_11; }
inline void set_Empty_11(Guid_t value)
{
___Empty_11 = value;
}
inline static int32_t get_offset_of__rngAccess_12() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rngAccess_12)); }
inline RuntimeObject * get__rngAccess_12() const { return ____rngAccess_12; }
inline RuntimeObject ** get_address_of__rngAccess_12() { return &____rngAccess_12; }
inline void set__rngAccess_12(RuntimeObject * value)
{
____rngAccess_12 = value;
Il2CppCodeGenWriteBarrier((&____rngAccess_12), value);
}
inline static int32_t get_offset_of__rng_13() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rng_13)); }
<<<<<<< HEAD
inline RandomNumberGenerator_t3968698704 * get__rng_13() const { return ____rng_13; }
inline RandomNumberGenerator_t3968698704 ** get_address_of__rng_13() { return &____rng_13; }
inline void set__rng_13(RandomNumberGenerator_t3968698704 * value)
=======
inline RandomNumberGenerator_t3143434466 * get__rng_13() const { return ____rng_13; }
inline RandomNumberGenerator_t3143434466 ** get_address_of__rng_13() { return &____rng_13; }
inline void set__rng_13(RandomNumberGenerator_t3143434466 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
____rng_13 = value;
Il2CppCodeGenWriteBarrier((&____rng_13), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#endif // GUID_T_H
<<<<<<< HEAD
#ifndef VIRTUALBUTTONDATA_T4005535193_H
#define VIRTUALBUTTONDATA_T4005535193_H
=======
#ifndef VIRTUALBUTTONDATA_T2345006925_H
#define VIRTUALBUTTONDATA_T2345006925_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/VirtualButtonData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VirtualButtonData_t4005535193
=======
struct VirtualButtonData_t2345006925
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 Vuforia.VuforiaManagerImpl/VirtualButtonData::id
int32_t ___id_0;
// System.Int32 Vuforia.VuforiaManagerImpl/VirtualButtonData::isPressed
int32_t ___isPressed_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_id_0() { return static_cast<int32_t>(offsetof(VirtualButtonData_t4005535193, ___id_0)); }
=======
inline static int32_t get_offset_of_id_0() { return static_cast<int32_t>(offsetof(VirtualButtonData_t2345006925, ___id_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_id_0() const { return ___id_0; }
inline int32_t* get_address_of_id_0() { return &___id_0; }
inline void set_id_0(int32_t value)
{
___id_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_isPressed_1() { return static_cast<int32_t>(offsetof(VirtualButtonData_t4005535193, ___isPressed_1)); }
=======
inline static int32_t get_offset_of_isPressed_1() { return static_cast<int32_t>(offsetof(VirtualButtonData_t2345006925, ___isPressed_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_isPressed_1() const { return ___isPressed_1; }
inline int32_t* get_address_of_isPressed_1() { return &___isPressed_1; }
inline void set_isPressed_1(int32_t value)
{
___isPressed_1 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VIRTUALBUTTONDATA_T4005535193_H
#ifndef COLOR_T3681113374_H
#define COLOR_T3681113374_H
=======
#endif // VIRTUALBUTTONDATA_T2345006925_H
#ifndef COLOR_T3957905422_H
#define COLOR_T3957905422_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Color
<<<<<<< HEAD
struct Color_t3681113374
=======
struct Color_t3957905422
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
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:
<<<<<<< HEAD
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color_t3681113374, ___r_0)); }
=======
inline static int32_t get_offset_of_r_0() { return static_cast<int32_t>(offsetof(Color_t3957905422, ___r_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color_t3681113374, ___g_1)); }
=======
inline static int32_t get_offset_of_g_1() { return static_cast<int32_t>(offsetof(Color_t3957905422, ___g_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color_t3681113374, ___b_2)); }
=======
inline static int32_t get_offset_of_b_2() { return static_cast<int32_t>(offsetof(Color_t3957905422, ___b_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color_t3681113374, ___a_3)); }
=======
inline static int32_t get_offset_of_a_3() { return static_cast<int32_t>(offsetof(Color_t3957905422, ___a_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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
<<<<<<< HEAD
#endif // COLOR_T3681113374_H
#ifndef VECTOR2_T2800108189_H
#define VECTOR2_T2800108189_H
=======
#endif // COLOR_T3957905422_H
#ifndef VECTOR2_T2738738669_H
#define VECTOR2_T2738738669_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Vector2
<<<<<<< HEAD
struct Vector2_t2800108189
=======
struct Vector2_t2738738669
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Single UnityEngine.Vector2::x
float ___x_0;
// System.Single UnityEngine.Vector2::y
float ___y_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector2_t2800108189, ___x_0)); }
=======
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(Vector2_t2738738669, ___x_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector2_t2800108189, ___y_1)); }
=======
inline static int32_t get_offset_of_y_1() { return static_cast<int32_t>(offsetof(Vector2_t2738738669, ___y_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
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;
}
};
<<<<<<< HEAD
struct Vector2_t2800108189_StaticFields
{
public:
// UnityEngine.Vector2 UnityEngine.Vector2::zeroVector
Vector2_t2800108189 ___zeroVector_2;
// UnityEngine.Vector2 UnityEngine.Vector2::oneVector
Vector2_t2800108189 ___oneVector_3;
// UnityEngine.Vector2 UnityEngine.Vector2::upVector
Vector2_t2800108189 ___upVector_4;
// UnityEngine.Vector2 UnityEngine.Vector2::downVector
Vector2_t2800108189 ___downVector_5;
// UnityEngine.Vector2 UnityEngine.Vector2::leftVector
Vector2_t2800108189 ___leftVector_6;
// UnityEngine.Vector2 UnityEngine.Vector2::rightVector
Vector2_t2800108189 ___rightVector_7;
// UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector
Vector2_t2800108189 ___positiveInfinityVector_8;
// UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector
Vector2_t2800108189 ___negativeInfinityVector_9;
public:
inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___zeroVector_2)); }
inline Vector2_t2800108189 get_zeroVector_2() const { return ___zeroVector_2; }
inline Vector2_t2800108189 * get_address_of_zeroVector_2() { return &___zeroVector_2; }
inline void set_zeroVector_2(Vector2_t2800108189 value)
=======
struct Vector2_t2738738669_StaticFields
{
public:
// UnityEngine.Vector2 UnityEngine.Vector2::zeroVector
Vector2_t2738738669 ___zeroVector_2;
// UnityEngine.Vector2 UnityEngine.Vector2::oneVector
Vector2_t2738738669 ___oneVector_3;
// UnityEngine.Vector2 UnityEngine.Vector2::upVector
Vector2_t2738738669 ___upVector_4;
// UnityEngine.Vector2 UnityEngine.Vector2::downVector
Vector2_t2738738669 ___downVector_5;
// UnityEngine.Vector2 UnityEngine.Vector2::leftVector
Vector2_t2738738669 ___leftVector_6;
// UnityEngine.Vector2 UnityEngine.Vector2::rightVector
Vector2_t2738738669 ___rightVector_7;
// UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector
Vector2_t2738738669 ___positiveInfinityVector_8;
// UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector
Vector2_t2738738669 ___negativeInfinityVector_9;
public:
inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___zeroVector_2)); }
inline Vector2_t2738738669 get_zeroVector_2() const { return ___zeroVector_2; }
inline Vector2_t2738738669 * get_address_of_zeroVector_2() { return &___zeroVector_2; }
inline void set_zeroVector_2(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___zeroVector_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___oneVector_3)); }
inline Vector2_t2800108189 get_oneVector_3() const { return ___oneVector_3; }
inline Vector2_t2800108189 * get_address_of_oneVector_3() { return &___oneVector_3; }
inline void set_oneVector_3(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___oneVector_3)); }
inline Vector2_t2738738669 get_oneVector_3() const { return ___oneVector_3; }
inline Vector2_t2738738669 * get_address_of_oneVector_3() { return &___oneVector_3; }
inline void set_oneVector_3(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___oneVector_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___upVector_4)); }
inline Vector2_t2800108189 get_upVector_4() const { return ___upVector_4; }
inline Vector2_t2800108189 * get_address_of_upVector_4() { return &___upVector_4; }
inline void set_upVector_4(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___upVector_4)); }
inline Vector2_t2738738669 get_upVector_4() const { return ___upVector_4; }
inline Vector2_t2738738669 * get_address_of_upVector_4() { return &___upVector_4; }
inline void set_upVector_4(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___upVector_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___downVector_5)); }
inline Vector2_t2800108189 get_downVector_5() const { return ___downVector_5; }
inline Vector2_t2800108189 * get_address_of_downVector_5() { return &___downVector_5; }
inline void set_downVector_5(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___downVector_5)); }
inline Vector2_t2738738669 get_downVector_5() const { return ___downVector_5; }
inline Vector2_t2738738669 * get_address_of_downVector_5() { return &___downVector_5; }
inline void set_downVector_5(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___downVector_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___leftVector_6)); }
inline Vector2_t2800108189 get_leftVector_6() const { return ___leftVector_6; }
inline Vector2_t2800108189 * get_address_of_leftVector_6() { return &___leftVector_6; }
inline void set_leftVector_6(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___leftVector_6)); }
inline Vector2_t2738738669 get_leftVector_6() const { return ___leftVector_6; }
inline Vector2_t2738738669 * get_address_of_leftVector_6() { return &___leftVector_6; }
inline void set_leftVector_6(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___leftVector_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___rightVector_7)); }
inline Vector2_t2800108189 get_rightVector_7() const { return ___rightVector_7; }
inline Vector2_t2800108189 * get_address_of_rightVector_7() { return &___rightVector_7; }
inline void set_rightVector_7(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___rightVector_7)); }
inline Vector2_t2738738669 get_rightVector_7() const { return ___rightVector_7; }
inline Vector2_t2738738669 * get_address_of_rightVector_7() { return &___rightVector_7; }
inline void set_rightVector_7(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___rightVector_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___positiveInfinityVector_8)); }
inline Vector2_t2800108189 get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; }
inline Vector2_t2800108189 * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; }
inline void set_positiveInfinityVector_8(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___positiveInfinityVector_8)); }
inline Vector2_t2738738669 get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; }
inline Vector2_t2738738669 * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; }
inline void set_positiveInfinityVector_8(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___positiveInfinityVector_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_t2800108189_StaticFields, ___negativeInfinityVector_9)); }
inline Vector2_t2800108189 get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; }
inline Vector2_t2800108189 * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; }
inline void set_negativeInfinityVector_9(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_t2738738669_StaticFields, ___negativeInfinityVector_9)); }
inline Vector2_t2738738669 get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; }
inline Vector2_t2738738669 * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; }
inline void set_negativeInfinityVector_9(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___negativeInfinityVector_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VECTOR2_T2800108189_H
#ifndef RECTANGLEDATA_T119705876_H
#define RECTANGLEDATA_T119705876_H
=======
#endif // VECTOR2_T2738738669_H
#ifndef RECTANGLEDATA_T2867461140_H
#define RECTANGLEDATA_T2867461140_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.RectangleData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct RectangleData_t119705876
=======
struct RectangleData_t2867461140
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Single Vuforia.RectangleData::leftTopX
float ___leftTopX_0;
// System.Single Vuforia.RectangleData::leftTopY
float ___leftTopY_1;
// System.Single Vuforia.RectangleData::rightBottomX
float ___rightBottomX_2;
// System.Single Vuforia.RectangleData::rightBottomY
float ___rightBottomY_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_leftTopX_0() { return static_cast<int32_t>(offsetof(RectangleData_t119705876, ___leftTopX_0)); }
=======
inline static int32_t get_offset_of_leftTopX_0() { return static_cast<int32_t>(offsetof(RectangleData_t2867461140, ___leftTopX_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_leftTopX_0() const { return ___leftTopX_0; }
inline float* get_address_of_leftTopX_0() { return &___leftTopX_0; }
inline void set_leftTopX_0(float value)
{
___leftTopX_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_leftTopY_1() { return static_cast<int32_t>(offsetof(RectangleData_t119705876, ___leftTopY_1)); }
=======
inline static int32_t get_offset_of_leftTopY_1() { return static_cast<int32_t>(offsetof(RectangleData_t2867461140, ___leftTopY_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_leftTopY_1() const { return ___leftTopY_1; }
inline float* get_address_of_leftTopY_1() { return &___leftTopY_1; }
inline void set_leftTopY_1(float value)
{
___leftTopY_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_rightBottomX_2() { return static_cast<int32_t>(offsetof(RectangleData_t119705876, ___rightBottomX_2)); }
=======
inline static int32_t get_offset_of_rightBottomX_2() { return static_cast<int32_t>(offsetof(RectangleData_t2867461140, ___rightBottomX_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_rightBottomX_2() const { return ___rightBottomX_2; }
inline float* get_address_of_rightBottomX_2() { return &___rightBottomX_2; }
inline void set_rightBottomX_2(float value)
{
___rightBottomX_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_rightBottomY_3() { return static_cast<int32_t>(offsetof(RectangleData_t119705876, ___rightBottomY_3)); }
=======
inline static int32_t get_offset_of_rightBottomY_3() { return static_cast<int32_t>(offsetof(RectangleData_t2867461140, ___rightBottomY_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_rightBottomY_3() const { return ___rightBottomY_3; }
inline float* get_address_of_rightBottomY_3() { return &___rightBottomY_3; }
inline void set_rightBottomY_3(float value)
{
___rightBottomY_3 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RECTANGLEDATA_T119705876_H
#ifndef TIMESPAN_T2155380954_H
#define TIMESPAN_T2155380954_H
=======
#endif // RECTANGLEDATA_T2867461140_H
#ifndef TIMESPAN_T4245672980_H
#define TIMESPAN_T4245672980_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.TimeSpan
<<<<<<< HEAD
struct TimeSpan_t2155380954
=======
struct TimeSpan_t4245672980
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int64 System.TimeSpan::_ticks
int64_t ____ticks_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of__ticks_3() { return static_cast<int32_t>(offsetof(TimeSpan_t2155380954, ____ticks_3)); }
=======
inline static int32_t get_offset_of__ticks_3() { return static_cast<int32_t>(offsetof(TimeSpan_t4245672980, ____ticks_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int64_t get__ticks_3() const { return ____ticks_3; }
inline int64_t* get_address_of__ticks_3() { return &____ticks_3; }
inline void set__ticks_3(int64_t value)
{
____ticks_3 = value;
}
};
<<<<<<< HEAD
struct TimeSpan_t2155380954_StaticFields
{
public:
// System.TimeSpan System.TimeSpan::MaxValue
TimeSpan_t2155380954 ___MaxValue_0;
// System.TimeSpan System.TimeSpan::MinValue
TimeSpan_t2155380954 ___MinValue_1;
// System.TimeSpan System.TimeSpan::Zero
TimeSpan_t2155380954 ___Zero_2;
public:
inline static int32_t get_offset_of_MaxValue_0() { return static_cast<int32_t>(offsetof(TimeSpan_t2155380954_StaticFields, ___MaxValue_0)); }
inline TimeSpan_t2155380954 get_MaxValue_0() const { return ___MaxValue_0; }
inline TimeSpan_t2155380954 * get_address_of_MaxValue_0() { return &___MaxValue_0; }
inline void set_MaxValue_0(TimeSpan_t2155380954 value)
=======
struct TimeSpan_t4245672980_StaticFields
{
public:
// System.TimeSpan System.TimeSpan::MaxValue
TimeSpan_t4245672980 ___MaxValue_0;
// System.TimeSpan System.TimeSpan::MinValue
TimeSpan_t4245672980 ___MinValue_1;
// System.TimeSpan System.TimeSpan::Zero
TimeSpan_t4245672980 ___Zero_2;
public:
inline static int32_t get_offset_of_MaxValue_0() { return static_cast<int32_t>(offsetof(TimeSpan_t4245672980_StaticFields, ___MaxValue_0)); }
inline TimeSpan_t4245672980 get_MaxValue_0() const { return ___MaxValue_0; }
inline TimeSpan_t4245672980 * get_address_of_MaxValue_0() { return &___MaxValue_0; }
inline void set_MaxValue_0(TimeSpan_t4245672980 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MaxValue_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MinValue_1() { return static_cast<int32_t>(offsetof(TimeSpan_t2155380954_StaticFields, ___MinValue_1)); }
inline TimeSpan_t2155380954 get_MinValue_1() const { return ___MinValue_1; }
inline TimeSpan_t2155380954 * get_address_of_MinValue_1() { return &___MinValue_1; }
inline void set_MinValue_1(TimeSpan_t2155380954 value)
=======
inline static int32_t get_offset_of_MinValue_1() { return static_cast<int32_t>(offsetof(TimeSpan_t4245672980_StaticFields, ___MinValue_1)); }
inline TimeSpan_t4245672980 get_MinValue_1() const { return ___MinValue_1; }
inline TimeSpan_t4245672980 * get_address_of_MinValue_1() { return &___MinValue_1; }
inline void set_MinValue_1(TimeSpan_t4245672980 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MinValue_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Zero_2() { return static_cast<int32_t>(offsetof(TimeSpan_t2155380954_StaticFields, ___Zero_2)); }
inline TimeSpan_t2155380954 get_Zero_2() const { return ___Zero_2; }
inline TimeSpan_t2155380954 * get_address_of_Zero_2() { return &___Zero_2; }
inline void set_Zero_2(TimeSpan_t2155380954 value)
=======
inline static int32_t get_offset_of_Zero_2() { return static_cast<int32_t>(offsetof(TimeSpan_t4245672980_StaticFields, ___Zero_2)); }
inline TimeSpan_t4245672980 get_Zero_2() const { return ___Zero_2; }
inline TimeSpan_t4245672980 * get_address_of_Zero_2() { return &___Zero_2; }
inline void set_Zero_2(TimeSpan_t4245672980 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Zero_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // TIMESPAN_T2155380954_H
#ifndef RSAPARAMETERS_T2907356283_H
#define RSAPARAMETERS_T2907356283_H
=======
#endif // TIMESPAN_T4245672980_H
#ifndef RSAPARAMETERS_T734515625_H
#define RSAPARAMETERS_T734515625_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Security.Cryptography.RSAParameters
<<<<<<< HEAD
struct RSAParameters_t2907356283
{
public:
// System.Byte[] System.Security.Cryptography.RSAParameters::P
ByteU5BU5D_t2558717259* ___P_0;
// System.Byte[] System.Security.Cryptography.RSAParameters::Q
ByteU5BU5D_t2558717259* ___Q_1;
// System.Byte[] System.Security.Cryptography.RSAParameters::D
ByteU5BU5D_t2558717259* ___D_2;
// System.Byte[] System.Security.Cryptography.RSAParameters::DP
ByteU5BU5D_t2558717259* ___DP_3;
// System.Byte[] System.Security.Cryptography.RSAParameters::DQ
ByteU5BU5D_t2558717259* ___DQ_4;
// System.Byte[] System.Security.Cryptography.RSAParameters::InverseQ
ByteU5BU5D_t2558717259* ___InverseQ_5;
// System.Byte[] System.Security.Cryptography.RSAParameters::Modulus
ByteU5BU5D_t2558717259* ___Modulus_6;
// System.Byte[] System.Security.Cryptography.RSAParameters::Exponent
ByteU5BU5D_t2558717259* ___Exponent_7;
public:
inline static int32_t get_offset_of_P_0() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___P_0)); }
inline ByteU5BU5D_t2558717259* get_P_0() const { return ___P_0; }
inline ByteU5BU5D_t2558717259** get_address_of_P_0() { return &___P_0; }
inline void set_P_0(ByteU5BU5D_t2558717259* value)
=======
struct RSAParameters_t734515625
{
public:
// System.Byte[] System.Security.Cryptography.RSAParameters::P
ByteU5BU5D_t317375469* ___P_0;
// System.Byte[] System.Security.Cryptography.RSAParameters::Q
ByteU5BU5D_t317375469* ___Q_1;
// System.Byte[] System.Security.Cryptography.RSAParameters::D
ByteU5BU5D_t317375469* ___D_2;
// System.Byte[] System.Security.Cryptography.RSAParameters::DP
ByteU5BU5D_t317375469* ___DP_3;
// System.Byte[] System.Security.Cryptography.RSAParameters::DQ
ByteU5BU5D_t317375469* ___DQ_4;
// System.Byte[] System.Security.Cryptography.RSAParameters::InverseQ
ByteU5BU5D_t317375469* ___InverseQ_5;
// System.Byte[] System.Security.Cryptography.RSAParameters::Modulus
ByteU5BU5D_t317375469* ___Modulus_6;
// System.Byte[] System.Security.Cryptography.RSAParameters::Exponent
ByteU5BU5D_t317375469* ___Exponent_7;
public:
inline static int32_t get_offset_of_P_0() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___P_0)); }
inline ByteU5BU5D_t317375469* get_P_0() const { return ___P_0; }
inline ByteU5BU5D_t317375469** get_address_of_P_0() { return &___P_0; }
inline void set_P_0(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___P_0 = value;
Il2CppCodeGenWriteBarrier((&___P_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Q_1() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___Q_1)); }
inline ByteU5BU5D_t2558717259* get_Q_1() const { return ___Q_1; }
inline ByteU5BU5D_t2558717259** get_address_of_Q_1() { return &___Q_1; }
inline void set_Q_1(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Q_1() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___Q_1)); }
inline ByteU5BU5D_t317375469* get_Q_1() const { return ___Q_1; }
inline ByteU5BU5D_t317375469** get_address_of_Q_1() { return &___Q_1; }
inline void set_Q_1(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Q_1 = value;
Il2CppCodeGenWriteBarrier((&___Q_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_D_2() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___D_2)); }
inline ByteU5BU5D_t2558717259* get_D_2() const { return ___D_2; }
inline ByteU5BU5D_t2558717259** get_address_of_D_2() { return &___D_2; }
inline void set_D_2(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_D_2() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___D_2)); }
inline ByteU5BU5D_t317375469* get_D_2() const { return ___D_2; }
inline ByteU5BU5D_t317375469** get_address_of_D_2() { return &___D_2; }
inline void set_D_2(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___D_2 = value;
Il2CppCodeGenWriteBarrier((&___D_2), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_DP_3() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___DP_3)); }
inline ByteU5BU5D_t2558717259* get_DP_3() const { return ___DP_3; }
inline ByteU5BU5D_t2558717259** get_address_of_DP_3() { return &___DP_3; }
inline void set_DP_3(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_DP_3() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___DP_3)); }
inline ByteU5BU5D_t317375469* get_DP_3() const { return ___DP_3; }
inline ByteU5BU5D_t317375469** get_address_of_DP_3() { return &___DP_3; }
inline void set_DP_3(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___DP_3 = value;
Il2CppCodeGenWriteBarrier((&___DP_3), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_DQ_4() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___DQ_4)); }
inline ByteU5BU5D_t2558717259* get_DQ_4() const { return ___DQ_4; }
inline ByteU5BU5D_t2558717259** get_address_of_DQ_4() { return &___DQ_4; }
inline void set_DQ_4(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_DQ_4() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___DQ_4)); }
inline ByteU5BU5D_t317375469* get_DQ_4() const { return ___DQ_4; }
inline ByteU5BU5D_t317375469** get_address_of_DQ_4() { return &___DQ_4; }
inline void set_DQ_4(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___DQ_4 = value;
Il2CppCodeGenWriteBarrier((&___DQ_4), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_InverseQ_5() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___InverseQ_5)); }
inline ByteU5BU5D_t2558717259* get_InverseQ_5() const { return ___InverseQ_5; }
inline ByteU5BU5D_t2558717259** get_address_of_InverseQ_5() { return &___InverseQ_5; }
inline void set_InverseQ_5(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_InverseQ_5() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___InverseQ_5)); }
inline ByteU5BU5D_t317375469* get_InverseQ_5() const { return ___InverseQ_5; }
inline ByteU5BU5D_t317375469** get_address_of_InverseQ_5() { return &___InverseQ_5; }
inline void set_InverseQ_5(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___InverseQ_5 = value;
Il2CppCodeGenWriteBarrier((&___InverseQ_5), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Modulus_6() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___Modulus_6)); }
inline ByteU5BU5D_t2558717259* get_Modulus_6() const { return ___Modulus_6; }
inline ByteU5BU5D_t2558717259** get_address_of_Modulus_6() { return &___Modulus_6; }
inline void set_Modulus_6(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Modulus_6() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___Modulus_6)); }
inline ByteU5BU5D_t317375469* get_Modulus_6() const { return ___Modulus_6; }
inline ByteU5BU5D_t317375469** get_address_of_Modulus_6() { return &___Modulus_6; }
inline void set_Modulus_6(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Modulus_6 = value;
Il2CppCodeGenWriteBarrier((&___Modulus_6), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Exponent_7() { return static_cast<int32_t>(offsetof(RSAParameters_t2907356283, ___Exponent_7)); }
inline ByteU5BU5D_t2558717259* get_Exponent_7() const { return ___Exponent_7; }
inline ByteU5BU5D_t2558717259** get_address_of_Exponent_7() { return &___Exponent_7; }
inline void set_Exponent_7(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Exponent_7() { return static_cast<int32_t>(offsetof(RSAParameters_t734515625, ___Exponent_7)); }
inline ByteU5BU5D_t317375469* get_Exponent_7() const { return ___Exponent_7; }
inline ByteU5BU5D_t317375469** get_address_of_Exponent_7() { return &___Exponent_7; }
inline void set_Exponent_7(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Exponent_7 = value;
Il2CppCodeGenWriteBarrier((&___Exponent_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Security.Cryptography.RSAParameters
<<<<<<< HEAD
struct RSAParameters_t2907356283_marshaled_pinvoke
=======
struct RSAParameters_t734515625_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
uint8_t* ___P_0;
uint8_t* ___Q_1;
uint8_t* ___D_2;
uint8_t* ___DP_3;
uint8_t* ___DQ_4;
uint8_t* ___InverseQ_5;
uint8_t* ___Modulus_6;
uint8_t* ___Exponent_7;
};
// Native definition for COM marshalling of System.Security.Cryptography.RSAParameters
<<<<<<< HEAD
struct RSAParameters_t2907356283_marshaled_com
=======
struct RSAParameters_t734515625_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
uint8_t* ___P_0;
uint8_t* ___Q_1;
uint8_t* ___D_2;
uint8_t* ___DP_3;
uint8_t* ___DQ_4;
uint8_t* ___InverseQ_5;
uint8_t* ___Modulus_6;
uint8_t* ___Exponent_7;
};
<<<<<<< HEAD
#endif // RSAPARAMETERS_T2907356283_H
#ifndef DSAPARAMETERS_T2770665622_H
#define DSAPARAMETERS_T2770665622_H
=======
#endif // RSAPARAMETERS_T734515625_H
#ifndef DSAPARAMETERS_T1020338899_H
#define DSAPARAMETERS_T1020338899_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Security.Cryptography.DSAParameters
<<<<<<< HEAD
struct DSAParameters_t2770665622
=======
struct DSAParameters_t1020338899
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 System.Security.Cryptography.DSAParameters::Counter
int32_t ___Counter_0;
// System.Byte[] System.Security.Cryptography.DSAParameters::G
<<<<<<< HEAD
ByteU5BU5D_t2558717259* ___G_1;
// System.Byte[] System.Security.Cryptography.DSAParameters::J
ByteU5BU5D_t2558717259* ___J_2;
// System.Byte[] System.Security.Cryptography.DSAParameters::P
ByteU5BU5D_t2558717259* ___P_3;
// System.Byte[] System.Security.Cryptography.DSAParameters::Q
ByteU5BU5D_t2558717259* ___Q_4;
// System.Byte[] System.Security.Cryptography.DSAParameters::Seed
ByteU5BU5D_t2558717259* ___Seed_5;
// System.Byte[] System.Security.Cryptography.DSAParameters::X
ByteU5BU5D_t2558717259* ___X_6;
// System.Byte[] System.Security.Cryptography.DSAParameters::Y
ByteU5BU5D_t2558717259* ___Y_7;
public:
inline static int32_t get_offset_of_Counter_0() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___Counter_0)); }
=======
ByteU5BU5D_t317375469* ___G_1;
// System.Byte[] System.Security.Cryptography.DSAParameters::J
ByteU5BU5D_t317375469* ___J_2;
// System.Byte[] System.Security.Cryptography.DSAParameters::P
ByteU5BU5D_t317375469* ___P_3;
// System.Byte[] System.Security.Cryptography.DSAParameters::Q
ByteU5BU5D_t317375469* ___Q_4;
// System.Byte[] System.Security.Cryptography.DSAParameters::Seed
ByteU5BU5D_t317375469* ___Seed_5;
// System.Byte[] System.Security.Cryptography.DSAParameters::X
ByteU5BU5D_t317375469* ___X_6;
// System.Byte[] System.Security.Cryptography.DSAParameters::Y
ByteU5BU5D_t317375469* ___Y_7;
public:
inline static int32_t get_offset_of_Counter_0() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___Counter_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_Counter_0() const { return ___Counter_0; }
inline int32_t* get_address_of_Counter_0() { return &___Counter_0; }
inline void set_Counter_0(int32_t value)
{
___Counter_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_G_1() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___G_1)); }
inline ByteU5BU5D_t2558717259* get_G_1() const { return ___G_1; }
inline ByteU5BU5D_t2558717259** get_address_of_G_1() { return &___G_1; }
inline void set_G_1(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_G_1() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___G_1)); }
inline ByteU5BU5D_t317375469* get_G_1() const { return ___G_1; }
inline ByteU5BU5D_t317375469** get_address_of_G_1() { return &___G_1; }
inline void set_G_1(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___G_1 = value;
Il2CppCodeGenWriteBarrier((&___G_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_J_2() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___J_2)); }
inline ByteU5BU5D_t2558717259* get_J_2() const { return ___J_2; }
inline ByteU5BU5D_t2558717259** get_address_of_J_2() { return &___J_2; }
inline void set_J_2(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_J_2() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___J_2)); }
inline ByteU5BU5D_t317375469* get_J_2() const { return ___J_2; }
inline ByteU5BU5D_t317375469** get_address_of_J_2() { return &___J_2; }
inline void set_J_2(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___J_2 = value;
Il2CppCodeGenWriteBarrier((&___J_2), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_P_3() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___P_3)); }
inline ByteU5BU5D_t2558717259* get_P_3() const { return ___P_3; }
inline ByteU5BU5D_t2558717259** get_address_of_P_3() { return &___P_3; }
inline void set_P_3(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_P_3() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___P_3)); }
inline ByteU5BU5D_t317375469* get_P_3() const { return ___P_3; }
inline ByteU5BU5D_t317375469** get_address_of_P_3() { return &___P_3; }
inline void set_P_3(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___P_3 = value;
Il2CppCodeGenWriteBarrier((&___P_3), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Q_4() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___Q_4)); }
inline ByteU5BU5D_t2558717259* get_Q_4() const { return ___Q_4; }
inline ByteU5BU5D_t2558717259** get_address_of_Q_4() { return &___Q_4; }
inline void set_Q_4(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Q_4() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___Q_4)); }
inline ByteU5BU5D_t317375469* get_Q_4() const { return ___Q_4; }
inline ByteU5BU5D_t317375469** get_address_of_Q_4() { return &___Q_4; }
inline void set_Q_4(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Q_4 = value;
Il2CppCodeGenWriteBarrier((&___Q_4), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Seed_5() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___Seed_5)); }
inline ByteU5BU5D_t2558717259* get_Seed_5() const { return ___Seed_5; }
inline ByteU5BU5D_t2558717259** get_address_of_Seed_5() { return &___Seed_5; }
inline void set_Seed_5(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Seed_5() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___Seed_5)); }
inline ByteU5BU5D_t317375469* get_Seed_5() const { return ___Seed_5; }
inline ByteU5BU5D_t317375469** get_address_of_Seed_5() { return &___Seed_5; }
inline void set_Seed_5(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Seed_5 = value;
Il2CppCodeGenWriteBarrier((&___Seed_5), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_X_6() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___X_6)); }
inline ByteU5BU5D_t2558717259* get_X_6() const { return ___X_6; }
inline ByteU5BU5D_t2558717259** get_address_of_X_6() { return &___X_6; }
inline void set_X_6(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_X_6() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___X_6)); }
inline ByteU5BU5D_t317375469* get_X_6() const { return ___X_6; }
inline ByteU5BU5D_t317375469** get_address_of_X_6() { return &___X_6; }
inline void set_X_6(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___X_6 = value;
Il2CppCodeGenWriteBarrier((&___X_6), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Y_7() { return static_cast<int32_t>(offsetof(DSAParameters_t2770665622, ___Y_7)); }
inline ByteU5BU5D_t2558717259* get_Y_7() const { return ___Y_7; }
inline ByteU5BU5D_t2558717259** get_address_of_Y_7() { return &___Y_7; }
inline void set_Y_7(ByteU5BU5D_t2558717259* value)
=======
inline static int32_t get_offset_of_Y_7() { return static_cast<int32_t>(offsetof(DSAParameters_t1020338899, ___Y_7)); }
inline ByteU5BU5D_t317375469* get_Y_7() const { return ___Y_7; }
inline ByteU5BU5D_t317375469** get_address_of_Y_7() { return &___Y_7; }
inline void set_Y_7(ByteU5BU5D_t317375469* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Y_7 = value;
Il2CppCodeGenWriteBarrier((&___Y_7), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Security.Cryptography.DSAParameters
<<<<<<< HEAD
struct DSAParameters_t2770665622_marshaled_pinvoke
=======
struct DSAParameters_t1020338899_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___Counter_0;
uint8_t* ___G_1;
uint8_t* ___J_2;
uint8_t* ___P_3;
uint8_t* ___Q_4;
uint8_t* ___Seed_5;
uint8_t* ___X_6;
uint8_t* ___Y_7;
};
// Native definition for COM marshalling of System.Security.Cryptography.DSAParameters
<<<<<<< HEAD
struct DSAParameters_t2770665622_marshaled_com
=======
struct DSAParameters_t1020338899_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___Counter_0;
uint8_t* ___G_1;
uint8_t* ___J_2;
uint8_t* ___P_3;
uint8_t* ___Q_4;
uint8_t* ___Seed_5;
uint8_t* ___X_6;
uint8_t* ___Y_7;
};
<<<<<<< HEAD
#endif // DSAPARAMETERS_T2770665622_H
#ifndef DICTIONARYENTRY_T3723768861_H
#define DICTIONARYENTRY_T3723768861_H
=======
#endif // DSAPARAMETERS_T1020338899_H
#ifndef DICTIONARYENTRY_T2397553133_H
#define DICTIONARYENTRY_T2397553133_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.DictionaryEntry
<<<<<<< HEAD
struct DictionaryEntry_t3723768861
=======
struct DictionaryEntry_t2397553133
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Object System.Collections.DictionaryEntry::_key
RuntimeObject * ____key_0;
// System.Object System.Collections.DictionaryEntry::_value
RuntimeObject * ____value_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(DictionaryEntry_t3723768861, ____key_0)); }
=======
inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(DictionaryEntry_t2397553133, ____key_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get__key_0() const { return ____key_0; }
inline RuntimeObject ** get_address_of__key_0() { return &____key_0; }
inline void set__key_0(RuntimeObject * value)
{
____key_0 = value;
Il2CppCodeGenWriteBarrier((&____key_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(DictionaryEntry_t3723768861, ____value_1)); }
=======
inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(DictionaryEntry_t2397553133, ____value_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get__value_1() const { return ____value_1; }
inline RuntimeObject ** get_address_of__value_1() { return &____value_1; }
inline void set__value_1(RuntimeObject * value)
{
____value_1 = value;
Il2CppCodeGenWriteBarrier((&____value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Collections.DictionaryEntry
<<<<<<< HEAD
struct DictionaryEntry_t3723768861_marshaled_pinvoke
=======
struct DictionaryEntry_t2397553133_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
// Native definition for COM marshalling of System.Collections.DictionaryEntry
<<<<<<< HEAD
struct DictionaryEntry_t3723768861_marshaled_com
=======
struct DictionaryEntry_t2397553133_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
<<<<<<< HEAD
#endif // DICTIONARYENTRY_T3723768861_H
#ifndef DECIMAL_T759910961_H
#define DECIMAL_T759910961_H
=======
#endif // DICTIONARYENTRY_T2397553133_H
#ifndef DECIMAL_T156707022_H
#define DECIMAL_T156707022_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Decimal
<<<<<<< HEAD
struct Decimal_t759910961
=======
struct Decimal_t156707022
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.UInt32 System.Decimal::flags
uint32_t ___flags_5;
// System.UInt32 System.Decimal::hi
uint32_t ___hi_6;
// System.UInt32 System.Decimal::lo
uint32_t ___lo_7;
// System.UInt32 System.Decimal::mid
uint32_t ___mid_8;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_flags_5() { return static_cast<int32_t>(offsetof(Decimal_t759910961, ___flags_5)); }
=======
inline static int32_t get_offset_of_flags_5() { return static_cast<int32_t>(offsetof(Decimal_t156707022, ___flags_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint32_t get_flags_5() const { return ___flags_5; }
inline uint32_t* get_address_of_flags_5() { return &___flags_5; }
inline void set_flags_5(uint32_t value)
{
___flags_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_hi_6() { return static_cast<int32_t>(offsetof(Decimal_t759910961, ___hi_6)); }
=======
inline static int32_t get_offset_of_hi_6() { return static_cast<int32_t>(offsetof(Decimal_t156707022, ___hi_6)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint32_t get_hi_6() const { return ___hi_6; }
inline uint32_t* get_address_of_hi_6() { return &___hi_6; }
inline void set_hi_6(uint32_t value)
{
___hi_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_lo_7() { return static_cast<int32_t>(offsetof(Decimal_t759910961, ___lo_7)); }
=======
inline static int32_t get_offset_of_lo_7() { return static_cast<int32_t>(offsetof(Decimal_t156707022, ___lo_7)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint32_t get_lo_7() const { return ___lo_7; }
inline uint32_t* get_address_of_lo_7() { return &___lo_7; }
inline void set_lo_7(uint32_t value)
{
___lo_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_mid_8() { return static_cast<int32_t>(offsetof(Decimal_t759910961, ___mid_8)); }
=======
inline static int32_t get_offset_of_mid_8() { return static_cast<int32_t>(offsetof(Decimal_t156707022, ___mid_8)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint32_t get_mid_8() const { return ___mid_8; }
inline uint32_t* get_address_of_mid_8() { return &___mid_8; }
inline void set_mid_8(uint32_t value)
{
___mid_8 = value;
}
};
<<<<<<< HEAD
struct Decimal_t759910961_StaticFields
{
public:
// System.Decimal System.Decimal::MinValue
Decimal_t759910961 ___MinValue_0;
// System.Decimal System.Decimal::MaxValue
Decimal_t759910961 ___MaxValue_1;
// System.Decimal System.Decimal::MinusOne
Decimal_t759910961 ___MinusOne_2;
// System.Decimal System.Decimal::One
Decimal_t759910961 ___One_3;
// System.Decimal System.Decimal::MaxValueDiv10
Decimal_t759910961 ___MaxValueDiv10_4;
public:
inline static int32_t get_offset_of_MinValue_0() { return static_cast<int32_t>(offsetof(Decimal_t759910961_StaticFields, ___MinValue_0)); }
inline Decimal_t759910961 get_MinValue_0() const { return ___MinValue_0; }
inline Decimal_t759910961 * get_address_of_MinValue_0() { return &___MinValue_0; }
inline void set_MinValue_0(Decimal_t759910961 value)
=======
struct Decimal_t156707022_StaticFields
{
public:
// System.Decimal System.Decimal::MinValue
Decimal_t156707022 ___MinValue_0;
// System.Decimal System.Decimal::MaxValue
Decimal_t156707022 ___MaxValue_1;
// System.Decimal System.Decimal::MinusOne
Decimal_t156707022 ___MinusOne_2;
// System.Decimal System.Decimal::One
Decimal_t156707022 ___One_3;
// System.Decimal System.Decimal::MaxValueDiv10
Decimal_t156707022 ___MaxValueDiv10_4;
public:
inline static int32_t get_offset_of_MinValue_0() { return static_cast<int32_t>(offsetof(Decimal_t156707022_StaticFields, ___MinValue_0)); }
inline Decimal_t156707022 get_MinValue_0() const { return ___MinValue_0; }
inline Decimal_t156707022 * get_address_of_MinValue_0() { return &___MinValue_0; }
inline void set_MinValue_0(Decimal_t156707022 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MinValue_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MaxValue_1() { return static_cast<int32_t>(offsetof(Decimal_t759910961_StaticFields, ___MaxValue_1)); }
inline Decimal_t759910961 get_MaxValue_1() const { return ___MaxValue_1; }
inline Decimal_t759910961 * get_address_of_MaxValue_1() { return &___MaxValue_1; }
inline void set_MaxValue_1(Decimal_t759910961 value)
=======
inline static int32_t get_offset_of_MaxValue_1() { return static_cast<int32_t>(offsetof(Decimal_t156707022_StaticFields, ___MaxValue_1)); }
inline Decimal_t156707022 get_MaxValue_1() const { return ___MaxValue_1; }
inline Decimal_t156707022 * get_address_of_MaxValue_1() { return &___MaxValue_1; }
inline void set_MaxValue_1(Decimal_t156707022 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MaxValue_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MinusOne_2() { return static_cast<int32_t>(offsetof(Decimal_t759910961_StaticFields, ___MinusOne_2)); }
inline Decimal_t759910961 get_MinusOne_2() const { return ___MinusOne_2; }
inline Decimal_t759910961 * get_address_of_MinusOne_2() { return &___MinusOne_2; }
inline void set_MinusOne_2(Decimal_t759910961 value)
=======
inline static int32_t get_offset_of_MinusOne_2() { return static_cast<int32_t>(offsetof(Decimal_t156707022_StaticFields, ___MinusOne_2)); }
inline Decimal_t156707022 get_MinusOne_2() const { return ___MinusOne_2; }
inline Decimal_t156707022 * get_address_of_MinusOne_2() { return &___MinusOne_2; }
inline void set_MinusOne_2(Decimal_t156707022 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MinusOne_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_One_3() { return static_cast<int32_t>(offsetof(Decimal_t759910961_StaticFields, ___One_3)); }
inline Decimal_t759910961 get_One_3() const { return ___One_3; }
inline Decimal_t759910961 * get_address_of_One_3() { return &___One_3; }
inline void set_One_3(Decimal_t759910961 value)
=======
inline static int32_t get_offset_of_One_3() { return static_cast<int32_t>(offsetof(Decimal_t156707022_StaticFields, ___One_3)); }
inline Decimal_t156707022 get_One_3() const { return ___One_3; }
inline Decimal_t156707022 * get_address_of_One_3() { return &___One_3; }
inline void set_One_3(Decimal_t156707022 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___One_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MaxValueDiv10_4() { return static_cast<int32_t>(offsetof(Decimal_t759910961_StaticFields, ___MaxValueDiv10_4)); }
inline Decimal_t759910961 get_MaxValueDiv10_4() const { return ___MaxValueDiv10_4; }
inline Decimal_t759910961 * get_address_of_MaxValueDiv10_4() { return &___MaxValueDiv10_4; }
inline void set_MaxValueDiv10_4(Decimal_t759910961 value)
=======
inline static int32_t get_offset_of_MaxValueDiv10_4() { return static_cast<int32_t>(offsetof(Decimal_t156707022_StaticFields, ___MaxValueDiv10_4)); }
inline Decimal_t156707022 get_MaxValueDiv10_4() const { return ___MaxValueDiv10_4; }
inline Decimal_t156707022 * get_address_of_MaxValueDiv10_4() { return &___MaxValueDiv10_4; }
inline void set_MaxValueDiv10_4(Decimal_t156707022 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MaxValueDiv10_4 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // DECIMAL_T759910961_H
#ifndef RANGE_T3097047263_H
#define RANGE_T3097047263_H
=======
#endif // DECIMAL_T156707022_H
#ifndef RANGE_T1492772395_H
#define RANGE_T1492772395_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.SocialPlatforms.Range
<<<<<<< HEAD
struct Range_t3097047263
=======
struct Range_t1492772395
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.SocialPlatforms.Range::from
int32_t ___from_0;
// System.Int32 UnityEngine.SocialPlatforms.Range::count
int32_t ___count_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_from_0() { return static_cast<int32_t>(offsetof(Range_t3097047263, ___from_0)); }
=======
inline static int32_t get_offset_of_from_0() { return static_cast<int32_t>(offsetof(Range_t1492772395, ___from_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_from_0() const { return ___from_0; }
inline int32_t* get_address_of_from_0() { return &___from_0; }
inline void set_from_0(int32_t value)
{
___from_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_count_1() { return static_cast<int32_t>(offsetof(Range_t3097047263, ___count_1)); }
=======
inline static int32_t get_offset_of_count_1() { return static_cast<int32_t>(offsetof(Range_t1492772395, ___count_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_count_1() const { return ___count_1; }
inline int32_t* get_address_of_count_1() { return &___count_1; }
inline void set_count_1(int32_t value)
{
___count_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RANGE_T3097047263_H
#ifndef CUSTOMATTRIBUTETYPEDARGUMENT_T2155045506_H
#define CUSTOMATTRIBUTETYPEDARGUMENT_T2155045506_H
=======
#endif // RANGE_T1492772395_H
#ifndef CUSTOMATTRIBUTETYPEDARGUMENT_T2153600122_H
#define CUSTOMATTRIBUTETYPEDARGUMENT_T2153600122_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeTypedArgument
<<<<<<< HEAD
struct CustomAttributeTypedArgument_t2155045506
=======
struct CustomAttributeTypedArgument_t2153600122
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Type System.Reflection.CustomAttributeTypedArgument::argumentType
Type_t * ___argumentType_0;
// System.Object System.Reflection.CustomAttributeTypedArgument::value
RuntimeObject * ___value_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_argumentType_0() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_t2155045506, ___argumentType_0)); }
=======
inline static int32_t get_offset_of_argumentType_0() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_t2153600122, ___argumentType_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline Type_t * get_argumentType_0() const { return ___argumentType_0; }
inline Type_t ** get_address_of_argumentType_0() { return &___argumentType_0; }
inline void set_argumentType_0(Type_t * value)
{
___argumentType_0 = value;
Il2CppCodeGenWriteBarrier((&___argumentType_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_t2155045506, ___value_1)); }
=======
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_t2153600122, ___value_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeTypedArgument
<<<<<<< HEAD
struct CustomAttributeTypedArgument_t2155045506_marshaled_pinvoke
=======
struct CustomAttributeTypedArgument_t2153600122_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeTypedArgument
<<<<<<< HEAD
struct CustomAttributeTypedArgument_t2155045506_marshaled_com
=======
struct CustomAttributeTypedArgument_t2153600122_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
<<<<<<< HEAD
#endif // CUSTOMATTRIBUTETYPEDARGUMENT_T2155045506_H
#ifndef OPCODE_T496655696_H
#define OPCODE_T496655696_H
=======
#endif // CUSTOMATTRIBUTETYPEDARGUMENT_T2153600122_H
#ifndef OPCODE_T3142126508_H
#define OPCODE_T3142126508_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.Emit.OpCode
<<<<<<< HEAD
struct OpCode_t496655696
=======
struct OpCode_t3142126508
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Byte System.Reflection.Emit.OpCode::op1
uint8_t ___op1_0;
// System.Byte System.Reflection.Emit.OpCode::op2
uint8_t ___op2_1;
// System.Byte System.Reflection.Emit.OpCode::push
uint8_t ___push_2;
// System.Byte System.Reflection.Emit.OpCode::pop
uint8_t ___pop_3;
// System.Byte System.Reflection.Emit.OpCode::size
uint8_t ___size_4;
// System.Byte System.Reflection.Emit.OpCode::type
uint8_t ___type_5;
// System.Byte System.Reflection.Emit.OpCode::args
uint8_t ___args_6;
// System.Byte System.Reflection.Emit.OpCode::flow
uint8_t ___flow_7;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_op1_0() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___op1_0)); }
=======
inline static int32_t get_offset_of_op1_0() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___op1_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_op1_0() const { return ___op1_0; }
inline uint8_t* get_address_of_op1_0() { return &___op1_0; }
inline void set_op1_0(uint8_t value)
{
___op1_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_op2_1() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___op2_1)); }
=======
inline static int32_t get_offset_of_op2_1() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___op2_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_op2_1() const { return ___op2_1; }
inline uint8_t* get_address_of_op2_1() { return &___op2_1; }
inline void set_op2_1(uint8_t value)
{
___op2_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_push_2() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___push_2)); }
=======
inline static int32_t get_offset_of_push_2() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___push_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_push_2() const { return ___push_2; }
inline uint8_t* get_address_of_push_2() { return &___push_2; }
inline void set_push_2(uint8_t value)
{
___push_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_pop_3() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___pop_3)); }
=======
inline static int32_t get_offset_of_pop_3() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___pop_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_pop_3() const { return ___pop_3; }
inline uint8_t* get_address_of_pop_3() { return &___pop_3; }
inline void set_pop_3(uint8_t value)
{
___pop_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_size_4() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___size_4)); }
=======
inline static int32_t get_offset_of_size_4() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___size_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_size_4() const { return ___size_4; }
inline uint8_t* get_address_of_size_4() { return &___size_4; }
inline void set_size_4(uint8_t value)
{
___size_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_type_5() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___type_5)); }
=======
inline static int32_t get_offset_of_type_5() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___type_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_type_5() const { return ___type_5; }
inline uint8_t* get_address_of_type_5() { return &___type_5; }
inline void set_type_5(uint8_t value)
{
___type_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_args_6() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___args_6)); }
=======
inline static int32_t get_offset_of_args_6() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___args_6)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_args_6() const { return ___args_6; }
inline uint8_t* get_address_of_args_6() { return &___args_6; }
inline void set_args_6(uint8_t value)
{
___args_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_flow_7() { return static_cast<int32_t>(offsetof(OpCode_t496655696, ___flow_7)); }
=======
inline static int32_t get_offset_of_flow_7() { return static_cast<int32_t>(offsetof(OpCode_t3142126508, ___flow_7)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_flow_7() const { return ___flow_7; }
inline uint8_t* get_address_of_flow_7() { return &___flow_7; }
inline void set_flow_7(uint8_t value)
{
___flow_7 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // OPCODE_T496655696_H
=======
#endif // OPCODE_T3142126508_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#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
<<<<<<< HEAD
#ifndef ENUM_T3801572449_H
#define ENUM_T3801572449_H
=======
#ifndef ENUM_T480184459_H
#define ENUM_T480184459_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Enum
<<<<<<< HEAD
struct Enum_t3801572449 : public ValueType_t483236627
=======
struct Enum_t480184459 : public ValueType_t3449469246
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
public:
};
<<<<<<< HEAD
struct Enum_t3801572449_StaticFields
{
public:
// System.Char[] System.Enum::split_char
CharU5BU5D_t2824666278* ___split_char_0;
public:
inline static int32_t get_offset_of_split_char_0() { return static_cast<int32_t>(offsetof(Enum_t3801572449_StaticFields, ___split_char_0)); }
inline CharU5BU5D_t2824666278* get_split_char_0() const { return ___split_char_0; }
inline CharU5BU5D_t2824666278** get_address_of_split_char_0() { return &___split_char_0; }
inline void set_split_char_0(CharU5BU5D_t2824666278* value)
=======
struct Enum_t480184459_StaticFields
{
public:
// System.Char[] System.Enum::split_char
CharU5BU5D_t1085015499* ___split_char_0;
public:
inline static int32_t get_offset_of_split_char_0() { return static_cast<int32_t>(offsetof(Enum_t480184459_StaticFields, ___split_char_0)); }
inline CharU5BU5D_t1085015499* get_split_char_0() const { return ___split_char_0; }
inline CharU5BU5D_t1085015499** get_address_of_split_char_0() { return &___split_char_0; }
inline void set_split_char_0(CharU5BU5D_t1085015499* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___split_char_0 = value;
Il2CppCodeGenWriteBarrier((&___split_char_0), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Enum
<<<<<<< HEAD
struct Enum_t3801572449_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.Enum
struct Enum_t3801572449_marshaled_com
{
};
#endif // ENUM_T3801572449_H
#ifndef KEYVALUEPAIR_2_T2963214971_H
#define KEYVALUEPAIR_2_T2963214971_H
=======
struct Enum_t480184459_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.Enum
struct Enum_t480184459_marshaled_com
{
};
#endif // ENUM_T480184459_H
#ifndef KEYVALUEPAIR_2_T2579694602_H
#define KEYVALUEPAIR_2_T2579694602_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Collections.Generic.KeyValuePair`2<System.Object,System.Object>
<<<<<<< HEAD
struct KeyValuePair_2_t2963214971
=======
struct KeyValuePair_2_t2579694602
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
RuntimeObject * ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
RuntimeObject * ___value_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2963214971, ___key_0)); }
=======
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2579694602, ___key_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get_key_0() const { return ___key_0; }
inline RuntimeObject ** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(RuntimeObject * value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((&___key_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2963214971, ___value_1)); }
=======
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t2579694602, ___value_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((&___value_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // KEYVALUEPAIR_2_T2963214971_H
#ifndef RUNTIMEMETHODHANDLE_T2858734809_H
#define RUNTIMEMETHODHANDLE_T2858734809_H
=======
#endif // KEYVALUEPAIR_2_T2579694602_H
#ifndef RUNTIMEMETHODHANDLE_T1062522740_H
#define RUNTIMEMETHODHANDLE_T1062522740_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.RuntimeMethodHandle
<<<<<<< HEAD
struct RuntimeMethodHandle_t2858734809
=======
struct RuntimeMethodHandle_t1062522740
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr System.RuntimeMethodHandle::value
IntPtr_t ___value_0;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeMethodHandle_t2858734809, ___value_0)); }
=======
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeMethodHandle_t1062522740, ___value_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_value_0() const { return ___value_0; }
inline IntPtr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(IntPtr_t value)
{
___value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RUNTIMEMETHODHANDLE_T2858734809_H
#ifndef PARTICLECOLLISIONEVENT_T2122857610_H
#define PARTICLECOLLISIONEVENT_T2122857610_H
=======
#endif // RUNTIMEMETHODHANDLE_T1062522740_H
#ifndef PARTICLECOLLISIONEVENT_T1127501763_H
#define PARTICLECOLLISIONEVENT_T1127501763_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.ParticleCollisionEvent
<<<<<<< HEAD
struct ParticleCollisionEvent_t2122857610
{
public:
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Intersection
Vector3_t3312927470 ___m_Intersection_0;
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Normal
Vector3_t3312927470 ___m_Normal_1;
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Velocity
Vector3_t3312927470 ___m_Velocity_2;
=======
struct ParticleCollisionEvent_t1127501763
{
public:
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Intersection
Vector3_t112967272 ___m_Intersection_0;
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Normal
Vector3_t112967272 ___m_Normal_1;
// UnityEngine.Vector3 UnityEngine.ParticleCollisionEvent::m_Velocity
Vector3_t112967272 ___m_Velocity_2;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 UnityEngine.ParticleCollisionEvent::m_ColliderInstanceID
int32_t ___m_ColliderInstanceID_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Intersection_0() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t2122857610, ___m_Intersection_0)); }
inline Vector3_t3312927470 get_m_Intersection_0() const { return ___m_Intersection_0; }
inline Vector3_t3312927470 * get_address_of_m_Intersection_0() { return &___m_Intersection_0; }
inline void set_m_Intersection_0(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_m_Intersection_0() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t1127501763, ___m_Intersection_0)); }
inline Vector3_t112967272 get_m_Intersection_0() const { return ___m_Intersection_0; }
inline Vector3_t112967272 * get_address_of_m_Intersection_0() { return &___m_Intersection_0; }
inline void set_m_Intersection_0(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_Intersection_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Normal_1() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t2122857610, ___m_Normal_1)); }
inline Vector3_t3312927470 get_m_Normal_1() const { return ___m_Normal_1; }
inline Vector3_t3312927470 * get_address_of_m_Normal_1() { return &___m_Normal_1; }
inline void set_m_Normal_1(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_m_Normal_1() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t1127501763, ___m_Normal_1)); }
inline Vector3_t112967272 get_m_Normal_1() const { return ___m_Normal_1; }
inline Vector3_t112967272 * get_address_of_m_Normal_1() { return &___m_Normal_1; }
inline void set_m_Normal_1(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_Normal_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Velocity_2() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t2122857610, ___m_Velocity_2)); }
inline Vector3_t3312927470 get_m_Velocity_2() const { return ___m_Velocity_2; }
inline Vector3_t3312927470 * get_address_of_m_Velocity_2() { return &___m_Velocity_2; }
inline void set_m_Velocity_2(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_m_Velocity_2() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t1127501763, ___m_Velocity_2)); }
inline Vector3_t112967272 get_m_Velocity_2() const { return ___m_Velocity_2; }
inline Vector3_t112967272 * get_address_of_m_Velocity_2() { return &___m_Velocity_2; }
inline void set_m_Velocity_2(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_Velocity_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_ColliderInstanceID_3() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t2122857610, ___m_ColliderInstanceID_3)); }
=======
inline static int32_t get_offset_of_m_ColliderInstanceID_3() { return static_cast<int32_t>(offsetof(ParticleCollisionEvent_t1127501763, ___m_ColliderInstanceID_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_ColliderInstanceID_3() const { return ___m_ColliderInstanceID_3; }
inline int32_t* get_address_of_m_ColliderInstanceID_3() { return &___m_ColliderInstanceID_3; }
inline void set_m_ColliderInstanceID_3(int32_t value)
{
___m_ColliderInstanceID_3 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // PARTICLECOLLISIONEVENT_T2122857610_H
#ifndef VIDEOBGCFGDATA_T1073606505_H
#define VIDEOBGCFGDATA_T1073606505_H
=======
#endif // PARTICLECOLLISIONEVENT_T1127501763_H
#ifndef VIDEOBGCFGDATA_T2169547056_H
#define VIDEOBGCFGDATA_T2169547056_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaRenderer/VideoBGCfgData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VideoBGCfgData_t1073606505
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoBGCfgData::position
Vec2I_t1467848268 ___position_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoBGCfgData::size
Vec2I_t1467848268 ___size_1;
=======
struct VideoBGCfgData_t2169547056
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoBGCfgData::position
Vec2I_t4096930705 ___position_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoBGCfgData::size
Vec2I_t4096930705 ___size_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.VuforiaRenderer/VideoBGCfgData::enabled
int32_t ___enabled_2;
// System.Int32 Vuforia.VuforiaRenderer/VideoBGCfgData::reflectionInteger
int32_t ___reflectionInteger_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t1073606505, ___position_0)); }
inline Vec2I_t1467848268 get_position_0() const { return ___position_0; }
inline Vec2I_t1467848268 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vec2I_t1467848268 value)
=======
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t2169547056, ___position_0)); }
inline Vec2I_t4096930705 get_position_0() const { return ___position_0; }
inline Vec2I_t4096930705 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___position_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_size_1() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t1073606505, ___size_1)); }
inline Vec2I_t1467848268 get_size_1() const { return ___size_1; }
inline Vec2I_t1467848268 * get_address_of_size_1() { return &___size_1; }
inline void set_size_1(Vec2I_t1467848268 value)
=======
inline static int32_t get_offset_of_size_1() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t2169547056, ___size_1)); }
inline Vec2I_t4096930705 get_size_1() const { return ___size_1; }
inline Vec2I_t4096930705 * get_address_of_size_1() { return &___size_1; }
inline void set_size_1(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___size_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_enabled_2() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t1073606505, ___enabled_2)); }
=======
inline static int32_t get_offset_of_enabled_2() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t2169547056, ___enabled_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_enabled_2() const { return ___enabled_2; }
inline int32_t* get_address_of_enabled_2() { return &___enabled_2; }
inline void set_enabled_2(int32_t value)
{
___enabled_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_reflectionInteger_3() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t1073606505, ___reflectionInteger_3)); }
=======
inline static int32_t get_offset_of_reflectionInteger_3() { return static_cast<int32_t>(offsetof(VideoBGCfgData_t2169547056, ___reflectionInteger_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_reflectionInteger_3() const { return ___reflectionInteger_3; }
inline int32_t* get_address_of_reflectionInteger_3() { return &___reflectionInteger_3; }
inline void set_reflectionInteger_3(int32_t value)
{
___reflectionInteger_3 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VIDEOBGCFGDATA_T1073606505_H
#ifndef SCRIPTABLERENDERCONTEXT_T190626848_H
#define SCRIPTABLERENDERCONTEXT_T190626848_H
=======
#endif // VIDEOBGCFGDATA_T2169547056_H
#ifndef SCRIPTABLERENDERCONTEXT_T2042595049_H
#define SCRIPTABLERENDERCONTEXT_T2042595049_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Experimental.Rendering.ScriptableRenderContext
<<<<<<< HEAD
struct ScriptableRenderContext_t190626848
=======
struct ScriptableRenderContext_t2042595049
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr UnityEngine.Experimental.Rendering.ScriptableRenderContext::m_Ptr
IntPtr_t ___m_Ptr_0;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(ScriptableRenderContext_t190626848, ___m_Ptr_0)); }
=======
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(ScriptableRenderContext_t2042595049, ___m_Ptr_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline IntPtr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(IntPtr_t value)
{
___m_Ptr_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // SCRIPTABLERENDERCONTEXT_T190626848_H
#ifndef PROFILEDATA_T2623442414_H
#define PROFILEDATA_T2623442414_H
=======
#endif // SCRIPTABLERENDERCONTEXT_T2042595049_H
#ifndef PROFILEDATA_T765082300_H
#define PROFILEDATA_T765082300_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.WebCamProfile/ProfileData
<<<<<<< HEAD
struct ProfileData_t2623442414
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.WebCamProfile/ProfileData::RequestedTextureSize
Vec2I_t1467848268 ___RequestedTextureSize_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.WebCamProfile/ProfileData::ResampledTextureSize
Vec2I_t1467848268 ___ResampledTextureSize_1;
=======
struct ProfileData_t765082300
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.WebCamProfile/ProfileData::RequestedTextureSize
Vec2I_t4096930705 ___RequestedTextureSize_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.WebCamProfile/ProfileData::ResampledTextureSize
Vec2I_t4096930705 ___ResampledTextureSize_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.WebCamProfile/ProfileData::RequestedFPS
int32_t ___RequestedFPS_2;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_RequestedTextureSize_0() { return static_cast<int32_t>(offsetof(ProfileData_t2623442414, ___RequestedTextureSize_0)); }
inline Vec2I_t1467848268 get_RequestedTextureSize_0() const { return ___RequestedTextureSize_0; }
inline Vec2I_t1467848268 * get_address_of_RequestedTextureSize_0() { return &___RequestedTextureSize_0; }
inline void set_RequestedTextureSize_0(Vec2I_t1467848268 value)
=======
inline static int32_t get_offset_of_RequestedTextureSize_0() { return static_cast<int32_t>(offsetof(ProfileData_t765082300, ___RequestedTextureSize_0)); }
inline Vec2I_t4096930705 get_RequestedTextureSize_0() const { return ___RequestedTextureSize_0; }
inline Vec2I_t4096930705 * get_address_of_RequestedTextureSize_0() { return &___RequestedTextureSize_0; }
inline void set_RequestedTextureSize_0(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___RequestedTextureSize_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ResampledTextureSize_1() { return static_cast<int32_t>(offsetof(ProfileData_t2623442414, ___ResampledTextureSize_1)); }
inline Vec2I_t1467848268 get_ResampledTextureSize_1() const { return ___ResampledTextureSize_1; }
inline Vec2I_t1467848268 * get_address_of_ResampledTextureSize_1() { return &___ResampledTextureSize_1; }
inline void set_ResampledTextureSize_1(Vec2I_t1467848268 value)
=======
inline static int32_t get_offset_of_ResampledTextureSize_1() { return static_cast<int32_t>(offsetof(ProfileData_t765082300, ___ResampledTextureSize_1)); }
inline Vec2I_t4096930705 get_ResampledTextureSize_1() const { return ___ResampledTextureSize_1; }
inline Vec2I_t4096930705 * get_address_of_ResampledTextureSize_1() { return &___ResampledTextureSize_1; }
inline void set_ResampledTextureSize_1(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ResampledTextureSize_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_RequestedFPS_2() { return static_cast<int32_t>(offsetof(ProfileData_t2623442414, ___RequestedFPS_2)); }
=======
inline static int32_t get_offset_of_RequestedFPS_2() { return static_cast<int32_t>(offsetof(ProfileData_t765082300, ___RequestedFPS_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_RequestedFPS_2() const { return ___RequestedFPS_2; }
inline int32_t* get_address_of_RequestedFPS_2() { return &___RequestedFPS_2; }
inline void set_RequestedFPS_2(int32_t value)
{
___RequestedFPS_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // PROFILEDATA_T2623442414_H
#ifndef POSEINFO_T3092759582_H
#define POSEINFO_T3092759582_H
=======
#endif // PROFILEDATA_T765082300_H
#ifndef POSEINFO_T3058882587_H
#define POSEINFO_T3058882587_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.HoloLensExtendedTrackingManager/PoseInfo
<<<<<<< HEAD
struct PoseInfo_t3092759582
{
public:
// UnityEngine.Vector3 Vuforia.HoloLensExtendedTrackingManager/PoseInfo::Position
Vector3_t3312927470 ___Position_0;
// UnityEngine.Quaternion Vuforia.HoloLensExtendedTrackingManager/PoseInfo::Rotation
Quaternion_t1878978572 ___Rotation_1;
=======
struct PoseInfo_t3058882587
{
public:
// UnityEngine.Vector3 Vuforia.HoloLensExtendedTrackingManager/PoseInfo::Position
Vector3_t112967272 ___Position_0;
// UnityEngine.Quaternion Vuforia.HoloLensExtendedTrackingManager/PoseInfo::Rotation
Quaternion_t3908180047 ___Rotation_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.HoloLensExtendedTrackingManager/PoseInfo::NumFramesPoseWasOff
int32_t ___NumFramesPoseWasOff_2;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_Position_0() { return static_cast<int32_t>(offsetof(PoseInfo_t3092759582, ___Position_0)); }
inline Vector3_t3312927470 get_Position_0() const { return ___Position_0; }
inline Vector3_t3312927470 * get_address_of_Position_0() { return &___Position_0; }
inline void set_Position_0(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_Position_0() { return static_cast<int32_t>(offsetof(PoseInfo_t3058882587, ___Position_0)); }
inline Vector3_t112967272 get_Position_0() const { return ___Position_0; }
inline Vector3_t112967272 * get_address_of_Position_0() { return &___Position_0; }
inline void set_Position_0(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Position_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Rotation_1() { return static_cast<int32_t>(offsetof(PoseInfo_t3092759582, ___Rotation_1)); }
inline Quaternion_t1878978572 get_Rotation_1() const { return ___Rotation_1; }
inline Quaternion_t1878978572 * get_address_of_Rotation_1() { return &___Rotation_1; }
inline void set_Rotation_1(Quaternion_t1878978572 value)
=======
inline static int32_t get_offset_of_Rotation_1() { return static_cast<int32_t>(offsetof(PoseInfo_t3058882587, ___Rotation_1)); }
inline Quaternion_t3908180047 get_Rotation_1() const { return ___Rotation_1; }
inline Quaternion_t3908180047 * get_address_of_Rotation_1() { return &___Rotation_1; }
inline void set_Rotation_1(Quaternion_t3908180047 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Rotation_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_NumFramesPoseWasOff_2() { return static_cast<int32_t>(offsetof(PoseInfo_t3092759582, ___NumFramesPoseWasOff_2)); }
=======
inline static int32_t get_offset_of_NumFramesPoseWasOff_2() { return static_cast<int32_t>(offsetof(PoseInfo_t3058882587, ___NumFramesPoseWasOff_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_NumFramesPoseWasOff_2() const { return ___NumFramesPoseWasOff_2; }
inline int32_t* get_address_of_NumFramesPoseWasOff_2() { return &___NumFramesPoseWasOff_2; }
inline void set_NumFramesPoseWasOff_2(int32_t value)
{
___NumFramesPoseWasOff_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // POSEINFO_T3092759582_H
#ifndef DATETIMEKIND_T3749389853_H
#define DATETIMEKIND_T3749389853_H
=======
#endif // POSEINFO_T3058882587_H
#ifndef DATETIMEKIND_T2841757417_H
#define DATETIMEKIND_T2841757417_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.DateTimeKind
<<<<<<< HEAD
struct DateTimeKind_t3749389853
=======
struct DateTimeKind_t2841757417
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 System.DateTimeKind::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DateTimeKind_t3749389853, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DateTimeKind_t2841757417, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // DATETIMEKIND_T3749389853_H
#ifndef STREAMINGCONTEXTSTATES_T2963743404_H
#define STREAMINGCONTEXTSTATES_T2963743404_H
=======
#endif // DATETIMEKIND_T2841757417_H
#ifndef STREAMINGCONTEXTSTATES_T490678297_H
#define STREAMINGCONTEXTSTATES_T490678297_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.Serialization.StreamingContextStates
<<<<<<< HEAD
struct StreamingContextStates_t2963743404
=======
struct StreamingContextStates_t490678297
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 System.Runtime.Serialization.StreamingContextStates::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(StreamingContextStates_t2963743404, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(StreamingContextStates_t490678297, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // STREAMINGCONTEXTSTATES_T2963743404_H
#ifndef TOUCHPHASE_T2360788402_H
#define TOUCHPHASE_T2360788402_H
=======
#endif // STREAMINGCONTEXTSTATES_T490678297_H
#ifndef TOUCHPHASE_T266560002_H
#define TOUCHPHASE_T266560002_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchPhase
<<<<<<< HEAD
struct TouchPhase_t2360788402
=======
struct TouchPhase_t266560002
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.TouchPhase::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchPhase_t2360788402, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchPhase_t266560002, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // TOUCHPHASE_T2360788402_H
#ifndef TOUCHTYPE_T2293799542_H
#define TOUCHTYPE_T2293799542_H
=======
#endif // TOUCHPHASE_T266560002_H
#ifndef TOUCHTYPE_T2424407921_H
#define TOUCHTYPE_T2424407921_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.TouchType
<<<<<<< HEAD
struct TouchType_t2293799542
=======
struct TouchType_t2424407921
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.TouchType::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchType_t2293799542, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(TouchType_t2424407921, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // TOUCHTYPE_T2293799542_H
#ifndef POSEDATA_T1966732369_H
#define POSEDATA_T1966732369_H
=======
#endif // TOUCHTYPE_T2424407921_H
#ifndef POSEDATA_T3318708740_H
#define POSEDATA_T3318708740_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/PoseData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct PoseData_t1966732369
{
public:
// UnityEngine.Vector3 Vuforia.VuforiaManagerImpl/PoseData::position
Vector3_t3312927470 ___position_0;
// UnityEngine.Quaternion Vuforia.VuforiaManagerImpl/PoseData::orientation
Quaternion_t1878978572 ___orientation_1;
=======
struct PoseData_t3318708740
{
public:
// UnityEngine.Vector3 Vuforia.VuforiaManagerImpl/PoseData::position
Vector3_t112967272 ___position_0;
// UnityEngine.Quaternion Vuforia.VuforiaManagerImpl/PoseData::orientation
Quaternion_t3908180047 ___orientation_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.VuforiaManagerImpl/PoseData::csInteger
int32_t ___csInteger_2;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(PoseData_t1966732369, ___position_0)); }
inline Vector3_t3312927470 get_position_0() const { return ___position_0; }
inline Vector3_t3312927470 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(PoseData_t3318708740, ___position_0)); }
inline Vector3_t112967272 get_position_0() const { return ___position_0; }
inline Vector3_t112967272 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___position_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_orientation_1() { return static_cast<int32_t>(offsetof(PoseData_t1966732369, ___orientation_1)); }
inline Quaternion_t1878978572 get_orientation_1() const { return ___orientation_1; }
inline Quaternion_t1878978572 * get_address_of_orientation_1() { return &___orientation_1; }
inline void set_orientation_1(Quaternion_t1878978572 value)
=======
inline static int32_t get_offset_of_orientation_1() { return static_cast<int32_t>(offsetof(PoseData_t3318708740, ___orientation_1)); }
inline Quaternion_t3908180047 get_orientation_1() const { return ___orientation_1; }
inline Quaternion_t3908180047 * get_address_of_orientation_1() { return &___orientation_1; }
inline void set_orientation_1(Quaternion_t3908180047 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___orientation_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_csInteger_2() { return static_cast<int32_t>(offsetof(PoseData_t1966732369, ___csInteger_2)); }
=======
inline static int32_t get_offset_of_csInteger_2() { return static_cast<int32_t>(offsetof(PoseData_t3318708740, ___csInteger_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_csInteger_2() const { return ___csInteger_2; }
inline int32_t* get_address_of_csInteger_2() { return &___csInteger_2; }
inline void set_csInteger_2(int32_t value)
{
___csInteger_2 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // POSEDATA_T1966732369_H
#ifndef OBB2D_T2311743467_H
#define OBB2D_T2311743467_H
=======
#endif // POSEDATA_T3318708740_H
#ifndef OBB2D_T3481312782_H
#define OBB2D_T3481312782_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/Obb2D
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct Obb2D_t2311743467
{
public:
// UnityEngine.Vector2 Vuforia.VuforiaManagerImpl/Obb2D::center
Vector2_t2800108189 ___center_0;
// UnityEngine.Vector2 Vuforia.VuforiaManagerImpl/Obb2D::halfExtents
Vector2_t2800108189 ___halfExtents_1;
=======
struct Obb2D_t3481312782
{
public:
// UnityEngine.Vector2 Vuforia.VuforiaManagerImpl/Obb2D::center
Vector2_t2738738669 ___center_0;
// UnityEngine.Vector2 Vuforia.VuforiaManagerImpl/Obb2D::halfExtents
Vector2_t2738738669 ___halfExtents_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single Vuforia.VuforiaManagerImpl/Obb2D::rotation
float ___rotation_2;
// System.Int32 Vuforia.VuforiaManagerImpl/Obb2D::unused
int32_t ___unused_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_center_0() { return static_cast<int32_t>(offsetof(Obb2D_t2311743467, ___center_0)); }
inline Vector2_t2800108189 get_center_0() const { return ___center_0; }
inline Vector2_t2800108189 * get_address_of_center_0() { return &___center_0; }
inline void set_center_0(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_center_0() { return static_cast<int32_t>(offsetof(Obb2D_t3481312782, ___center_0)); }
inline Vector2_t2738738669 get_center_0() const { return ___center_0; }
inline Vector2_t2738738669 * get_address_of_center_0() { return &___center_0; }
inline void set_center_0(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___center_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_halfExtents_1() { return static_cast<int32_t>(offsetof(Obb2D_t2311743467, ___halfExtents_1)); }
inline Vector2_t2800108189 get_halfExtents_1() const { return ___halfExtents_1; }
inline Vector2_t2800108189 * get_address_of_halfExtents_1() { return &___halfExtents_1; }
inline void set_halfExtents_1(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_halfExtents_1() { return static_cast<int32_t>(offsetof(Obb2D_t3481312782, ___halfExtents_1)); }
inline Vector2_t2738738669 get_halfExtents_1() const { return ___halfExtents_1; }
inline Vector2_t2738738669 * get_address_of_halfExtents_1() { return &___halfExtents_1; }
inline void set_halfExtents_1(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___halfExtents_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_rotation_2() { return static_cast<int32_t>(offsetof(Obb2D_t2311743467, ___rotation_2)); }
=======
inline static int32_t get_offset_of_rotation_2() { return static_cast<int32_t>(offsetof(Obb2D_t3481312782, ___rotation_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_rotation_2() const { return ___rotation_2; }
inline float* get_address_of_rotation_2() { return &___rotation_2; }
inline void set_rotation_2(float value)
{
___rotation_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(Obb2D_t2311743467, ___unused_3)); }
=======
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(Obb2D_t3481312782, ___unused_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_unused_3() const { return ___unused_3; }
inline int32_t* get_address_of_unused_3() { return &___unused_3; }
inline void set_unused_3(int32_t value)
{
___unused_3 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // OBB2D_T2311743467_H
#ifndef MODE_T2109296603_H
#define MODE_T2109296603_H
=======
#endif // OBB2D_T3481312782_H
#ifndef MODE_T3847006042_H
#define MODE_T3847006042_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UI.Navigation/Mode
<<<<<<< HEAD
struct Mode_t2109296603
=======
struct Mode_t3847006042
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.UI.Navigation/Mode::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(Mode_t2109296603, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(Mode_t3847006042, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // MODE_T2109296603_H
#ifndef DATATYPE_T3875002314_H
#define DATATYPE_T3875002314_H
=======
#endif // MODE_T3847006042_H
#ifndef DATATYPE_T2058530892_H
#define DATATYPE_T2058530892_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.CameraDevice/CameraField/DataType
<<<<<<< HEAD
struct DataType_t3875002314
=======
struct DataType_t2058530892
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 Vuforia.CameraDevice/CameraField/DataType::value__
int32_t ___value___1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DataType_t3875002314, ___value___1)); }
=======
inline static int32_t get_offset_of_value___1() { return static_cast<int32_t>(offsetof(DataType_t2058530892, ___value___1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_value___1() const { return ___value___1; }
inline int32_t* get_address_of_value___1() { return &___value___1; }
inline void set_value___1(int32_t value)
{
___value___1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // DATATYPE_T3875002314_H
#ifndef PLAYABLEHANDLE_T1916675622_H
#define PLAYABLEHANDLE_T1916675622_H
=======
#endif // DATATYPE_T2058530892_H
#ifndef PLAYABLEHANDLE_T783722283_H
#define PLAYABLEHANDLE_T783722283_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Playables.PlayableHandle
<<<<<<< HEAD
struct PlayableHandle_t1916675622
=======
struct PlayableHandle_t783722283
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr UnityEngine.Playables.PlayableHandle::m_Handle
IntPtr_t ___m_Handle_0;
// System.Int32 UnityEngine.Playables.PlayableHandle::m_Version
int32_t ___m_Version_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableHandle_t1916675622, ___m_Handle_0)); }
=======
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableHandle_t783722283, ___m_Handle_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_m_Handle_0() const { return ___m_Handle_0; }
inline IntPtr_t* get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(IntPtr_t value)
{
___m_Handle_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(PlayableHandle_t1916675622, ___m_Version_1)); }
=======
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(PlayableHandle_t783722283, ___m_Version_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_Version_1() const { return ___m_Version_1; }
inline int32_t* get_address_of_m_Version_1() { return &___m_Version_1; }
inline void set_m_Version_1(int32_t value)
{
___m_Version_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // PLAYABLEHANDLE_T1916675622_H
#ifndef RAYCASTRESULT_T1165079934_H
#define RAYCASTRESULT_T1165079934_H
=======
#endif // PLAYABLEHANDLE_T783722283_H
#ifndef RAYCASTRESULT_T1569638266_H
#define RAYCASTRESULT_T1569638266_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.EventSystems.RaycastResult
<<<<<<< HEAD
struct RaycastResult_t1165079934
{
public:
// UnityEngine.GameObject UnityEngine.EventSystems.RaycastResult::m_GameObject
GameObject_t4130227488 * ___m_GameObject_0;
// UnityEngine.EventSystems.BaseRaycaster UnityEngine.EventSystems.RaycastResult::module
BaseRaycaster_t1359059382 * ___module_1;
=======
struct RaycastResult_t1569638266
{
public:
// UnityEngine.GameObject UnityEngine.EventSystems.RaycastResult::m_GameObject
GameObject_t3269658330 * ___m_GameObject_0;
// UnityEngine.EventSystems.BaseRaycaster UnityEngine.EventSystems.RaycastResult::module
BaseRaycaster_t1336226547 * ___module_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single UnityEngine.EventSystems.RaycastResult::distance
float ___distance_2;
// System.Single UnityEngine.EventSystems.RaycastResult::index
float ___index_3;
// System.Int32 UnityEngine.EventSystems.RaycastResult::depth
int32_t ___depth_4;
// System.Int32 UnityEngine.EventSystems.RaycastResult::sortingLayer
int32_t ___sortingLayer_5;
// System.Int32 UnityEngine.EventSystems.RaycastResult::sortingOrder
int32_t ___sortingOrder_6;
// UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldPosition
<<<<<<< HEAD
Vector3_t3312927470 ___worldPosition_7;
// UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldNormal
Vector3_t3312927470 ___worldNormal_8;
// UnityEngine.Vector2 UnityEngine.EventSystems.RaycastResult::screenPosition
Vector2_t2800108189 ___screenPosition_9;
public:
inline static int32_t get_offset_of_m_GameObject_0() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___m_GameObject_0)); }
inline GameObject_t4130227488 * get_m_GameObject_0() const { return ___m_GameObject_0; }
inline GameObject_t4130227488 ** get_address_of_m_GameObject_0() { return &___m_GameObject_0; }
inline void set_m_GameObject_0(GameObject_t4130227488 * value)
=======
Vector3_t112967272 ___worldPosition_7;
// UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldNormal
Vector3_t112967272 ___worldNormal_8;
// UnityEngine.Vector2 UnityEngine.EventSystems.RaycastResult::screenPosition
Vector2_t2738738669 ___screenPosition_9;
public:
inline static int32_t get_offset_of_m_GameObject_0() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___m_GameObject_0)); }
inline GameObject_t3269658330 * get_m_GameObject_0() const { return ___m_GameObject_0; }
inline GameObject_t3269658330 ** get_address_of_m_GameObject_0() { return &___m_GameObject_0; }
inline void set_m_GameObject_0(GameObject_t3269658330 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_GameObject_0 = value;
Il2CppCodeGenWriteBarrier((&___m_GameObject_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_module_1() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___module_1)); }
inline BaseRaycaster_t1359059382 * get_module_1() const { return ___module_1; }
inline BaseRaycaster_t1359059382 ** get_address_of_module_1() { return &___module_1; }
inline void set_module_1(BaseRaycaster_t1359059382 * value)
=======
inline static int32_t get_offset_of_module_1() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___module_1)); }
inline BaseRaycaster_t1336226547 * get_module_1() const { return ___module_1; }
inline BaseRaycaster_t1336226547 ** get_address_of_module_1() { return &___module_1; }
inline void set_module_1(BaseRaycaster_t1336226547 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___module_1 = value;
Il2CppCodeGenWriteBarrier((&___module_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_distance_2() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___distance_2)); }
=======
inline static int32_t get_offset_of_distance_2() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___distance_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_distance_2() const { return ___distance_2; }
inline float* get_address_of_distance_2() { return &___distance_2; }
inline void set_distance_2(float value)
{
___distance_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___index_3)); }
=======
inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___index_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_index_3() const { return ___index_3; }
inline float* get_address_of_index_3() { return &___index_3; }
inline void set_index_3(float value)
{
___index_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_depth_4() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___depth_4)); }
=======
inline static int32_t get_offset_of_depth_4() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___depth_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_depth_4() const { return ___depth_4; }
inline int32_t* get_address_of_depth_4() { return &___depth_4; }
inline void set_depth_4(int32_t value)
{
___depth_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_sortingLayer_5() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___sortingLayer_5)); }
=======
inline static int32_t get_offset_of_sortingLayer_5() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___sortingLayer_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_sortingLayer_5() const { return ___sortingLayer_5; }
inline int32_t* get_address_of_sortingLayer_5() { return &___sortingLayer_5; }
inline void set_sortingLayer_5(int32_t value)
{
___sortingLayer_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_sortingOrder_6() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___sortingOrder_6)); }
=======
inline static int32_t get_offset_of_sortingOrder_6() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___sortingOrder_6)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_sortingOrder_6() const { return ___sortingOrder_6; }
inline int32_t* get_address_of_sortingOrder_6() { return &___sortingOrder_6; }
inline void set_sortingOrder_6(int32_t value)
{
___sortingOrder_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_worldPosition_7() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___worldPosition_7)); }
inline Vector3_t3312927470 get_worldPosition_7() const { return ___worldPosition_7; }
inline Vector3_t3312927470 * get_address_of_worldPosition_7() { return &___worldPosition_7; }
inline void set_worldPosition_7(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_worldPosition_7() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___worldPosition_7)); }
inline Vector3_t112967272 get_worldPosition_7() const { return ___worldPosition_7; }
inline Vector3_t112967272 * get_address_of_worldPosition_7() { return &___worldPosition_7; }
inline void set_worldPosition_7(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___worldPosition_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_worldNormal_8() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___worldNormal_8)); }
inline Vector3_t3312927470 get_worldNormal_8() const { return ___worldNormal_8; }
inline Vector3_t3312927470 * get_address_of_worldNormal_8() { return &___worldNormal_8; }
inline void set_worldNormal_8(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_worldNormal_8() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___worldNormal_8)); }
inline Vector3_t112967272 get_worldNormal_8() const { return ___worldNormal_8; }
inline Vector3_t112967272 * get_address_of_worldNormal_8() { return &___worldNormal_8; }
inline void set_worldNormal_8(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___worldNormal_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_screenPosition_9() { return static_cast<int32_t>(offsetof(RaycastResult_t1165079934, ___screenPosition_9)); }
inline Vector2_t2800108189 get_screenPosition_9() const { return ___screenPosition_9; }
inline Vector2_t2800108189 * get_address_of_screenPosition_9() { return &___screenPosition_9; }
inline void set_screenPosition_9(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_screenPosition_9() { return static_cast<int32_t>(offsetof(RaycastResult_t1569638266, ___screenPosition_9)); }
inline Vector2_t2738738669 get_screenPosition_9() const { return ___screenPosition_9; }
inline Vector2_t2738738669 * get_address_of_screenPosition_9() { return &___screenPosition_9; }
inline void set_screenPosition_9(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___screenPosition_9 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.EventSystems.RaycastResult
<<<<<<< HEAD
struct RaycastResult_t1165079934_marshaled_pinvoke
{
GameObject_t4130227488 * ___m_GameObject_0;
BaseRaycaster_t1359059382 * ___module_1;
=======
struct RaycastResult_t1569638266_marshaled_pinvoke
{
GameObject_t3269658330 * ___m_GameObject_0;
BaseRaycaster_t1336226547 * ___module_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
float ___distance_2;
float ___index_3;
int32_t ___depth_4;
int32_t ___sortingLayer_5;
int32_t ___sortingOrder_6;
<<<<<<< HEAD
Vector3_t3312927470 ___worldPosition_7;
Vector3_t3312927470 ___worldNormal_8;
Vector2_t2800108189 ___screenPosition_9;
};
// Native definition for COM marshalling of UnityEngine.EventSystems.RaycastResult
struct RaycastResult_t1165079934_marshaled_com
{
GameObject_t4130227488 * ___m_GameObject_0;
BaseRaycaster_t1359059382 * ___module_1;
=======
Vector3_t112967272 ___worldPosition_7;
Vector3_t112967272 ___worldNormal_8;
Vector2_t2738738669 ___screenPosition_9;
};
// Native definition for COM marshalling of UnityEngine.EventSystems.RaycastResult
struct RaycastResult_t1569638266_marshaled_com
{
GameObject_t3269658330 * ___m_GameObject_0;
BaseRaycaster_t1336226547 * ___module_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
float ___distance_2;
float ___index_3;
int32_t ___depth_4;
int32_t ___sortingLayer_5;
int32_t ___sortingOrder_6;
<<<<<<< HEAD
Vector3_t3312927470 ___worldPosition_7;
Vector3_t3312927470 ___worldNormal_8;
Vector2_t2800108189 ___screenPosition_9;
};
#endif // RAYCASTRESULT_T1165079934_H
#ifndef PLAYABLEGRAPH_T1905787527_H
#define PLAYABLEGRAPH_T1905787527_H
=======
Vector3_t112967272 ___worldPosition_7;
Vector3_t112967272 ___worldNormal_8;
Vector2_t2738738669 ___screenPosition_9;
};
#endif // RAYCASTRESULT_T1569638266_H
#ifndef PLAYABLEGRAPH_T535496197_H
#define PLAYABLEGRAPH_T535496197_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Playables.PlayableGraph
<<<<<<< HEAD
struct PlayableGraph_t1905787527
=======
struct PlayableGraph_t535496197
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr UnityEngine.Playables.PlayableGraph::m_Handle
IntPtr_t ___m_Handle_0;
// System.Int32 UnityEngine.Playables.PlayableGraph::m_Version
int32_t ___m_Version_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableGraph_t1905787527, ___m_Handle_0)); }
=======
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableGraph_t535496197, ___m_Handle_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_m_Handle_0() const { return ___m_Handle_0; }
inline IntPtr_t* get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(IntPtr_t value)
{
___m_Handle_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(PlayableGraph_t1905787527, ___m_Version_1)); }
=======
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(PlayableGraph_t535496197, ___m_Version_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_Version_1() const { return ___m_Version_1; }
inline int32_t* get_address_of_m_Version_1() { return &___m_Version_1; }
inline void set_m_Version_1(int32_t value)
{
___m_Version_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // PLAYABLEGRAPH_T1905787527_H
#ifndef UIVERTEX_T3583803796_H
#define UIVERTEX_T3583803796_H
=======
#endif // PLAYABLEGRAPH_T535496197_H
#ifndef UIVERTEX_T2143797191_H
#define UIVERTEX_T2143797191_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UIVertex
<<<<<<< HEAD
struct UIVertex_t3583803796
{
public:
// UnityEngine.Vector3 UnityEngine.UIVertex::position
Vector3_t3312927470 ___position_0;
// UnityEngine.Vector3 UnityEngine.UIVertex::normal
Vector3_t3312927470 ___normal_1;
// UnityEngine.Color32 UnityEngine.UIVertex::color
Color32_t3179578099 ___color_2;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv0
Vector2_t2800108189 ___uv0_3;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv1
Vector2_t2800108189 ___uv1_4;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv2
Vector2_t2800108189 ___uv2_5;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv3
Vector2_t2800108189 ___uv3_6;
// UnityEngine.Vector4 UnityEngine.UIVertex::tangent
Vector4_t1654968719 ___tangent_7;
public:
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___position_0)); }
inline Vector3_t3312927470 get_position_0() const { return ___position_0; }
inline Vector3_t3312927470 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t3312927470 value)
=======
struct UIVertex_t2143797191
{
public:
// UnityEngine.Vector3 UnityEngine.UIVertex::position
Vector3_t112967272 ___position_0;
// UnityEngine.Vector3 UnityEngine.UIVertex::normal
Vector3_t112967272 ___normal_1;
// UnityEngine.Color32 UnityEngine.UIVertex::color
Color32_t2389191297 ___color_2;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv0
Vector2_t2738738669 ___uv0_3;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv1
Vector2_t2738738669 ___uv1_4;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv2
Vector2_t2738738669 ___uv2_5;
// UnityEngine.Vector2 UnityEngine.UIVertex::uv3
Vector2_t2738738669 ___uv3_6;
// UnityEngine.Vector4 UnityEngine.UIVertex::tangent
Vector4_t289747491 ___tangent_7;
public:
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___position_0)); }
inline Vector3_t112967272 get_position_0() const { return ___position_0; }
inline Vector3_t112967272 * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___position_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_normal_1() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___normal_1)); }
inline Vector3_t3312927470 get_normal_1() const { return ___normal_1; }
inline Vector3_t3312927470 * get_address_of_normal_1() { return &___normal_1; }
inline void set_normal_1(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_normal_1() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___normal_1)); }
inline Vector3_t112967272 get_normal_1() const { return ___normal_1; }
inline Vector3_t112967272 * get_address_of_normal_1() { return &___normal_1; }
inline void set_normal_1(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___normal_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_color_2() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___color_2)); }
inline Color32_t3179578099 get_color_2() const { return ___color_2; }
inline Color32_t3179578099 * get_address_of_color_2() { return &___color_2; }
inline void set_color_2(Color32_t3179578099 value)
=======
inline static int32_t get_offset_of_color_2() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___color_2)); }
inline Color32_t2389191297 get_color_2() const { return ___color_2; }
inline Color32_t2389191297 * get_address_of_color_2() { return &___color_2; }
inline void set_color_2(Color32_t2389191297 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___color_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_uv0_3() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___uv0_3)); }
inline Vector2_t2800108189 get_uv0_3() const { return ___uv0_3; }
inline Vector2_t2800108189 * get_address_of_uv0_3() { return &___uv0_3; }
inline void set_uv0_3(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_uv0_3() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___uv0_3)); }
inline Vector2_t2738738669 get_uv0_3() const { return ___uv0_3; }
inline Vector2_t2738738669 * get_address_of_uv0_3() { return &___uv0_3; }
inline void set_uv0_3(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___uv0_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_uv1_4() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___uv1_4)); }
inline Vector2_t2800108189 get_uv1_4() const { return ___uv1_4; }
inline Vector2_t2800108189 * get_address_of_uv1_4() { return &___uv1_4; }
inline void set_uv1_4(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_uv1_4() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___uv1_4)); }
inline Vector2_t2738738669 get_uv1_4() const { return ___uv1_4; }
inline Vector2_t2738738669 * get_address_of_uv1_4() { return &___uv1_4; }
inline void set_uv1_4(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___uv1_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_uv2_5() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___uv2_5)); }
inline Vector2_t2800108189 get_uv2_5() const { return ___uv2_5; }
inline Vector2_t2800108189 * get_address_of_uv2_5() { return &___uv2_5; }
inline void set_uv2_5(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_uv2_5() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___uv2_5)); }
inline Vector2_t2738738669 get_uv2_5() const { return ___uv2_5; }
inline Vector2_t2738738669 * get_address_of_uv2_5() { return &___uv2_5; }
inline void set_uv2_5(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___uv2_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_uv3_6() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___uv3_6)); }
inline Vector2_t2800108189 get_uv3_6() const { return ___uv3_6; }
inline Vector2_t2800108189 * get_address_of_uv3_6() { return &___uv3_6; }
inline void set_uv3_6(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_uv3_6() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___uv3_6)); }
inline Vector2_t2738738669 get_uv3_6() const { return ___uv3_6; }
inline Vector2_t2738738669 * get_address_of_uv3_6() { return &___uv3_6; }
inline void set_uv3_6(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___uv3_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_tangent_7() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796, ___tangent_7)); }
inline Vector4_t1654968719 get_tangent_7() const { return ___tangent_7; }
inline Vector4_t1654968719 * get_address_of_tangent_7() { return &___tangent_7; }
inline void set_tangent_7(Vector4_t1654968719 value)
=======
inline static int32_t get_offset_of_tangent_7() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191, ___tangent_7)); }
inline Vector4_t289747491 get_tangent_7() const { return ___tangent_7; }
inline Vector4_t289747491 * get_address_of_tangent_7() { return &___tangent_7; }
inline void set_tangent_7(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___tangent_7 = value;
}
};
<<<<<<< HEAD
struct UIVertex_t3583803796_StaticFields
{
public:
// UnityEngine.Color32 UnityEngine.UIVertex::s_DefaultColor
Color32_t3179578099 ___s_DefaultColor_8;
// UnityEngine.Vector4 UnityEngine.UIVertex::s_DefaultTangent
Vector4_t1654968719 ___s_DefaultTangent_9;
// UnityEngine.UIVertex UnityEngine.UIVertex::simpleVert
UIVertex_t3583803796 ___simpleVert_10;
public:
inline static int32_t get_offset_of_s_DefaultColor_8() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796_StaticFields, ___s_DefaultColor_8)); }
inline Color32_t3179578099 get_s_DefaultColor_8() const { return ___s_DefaultColor_8; }
inline Color32_t3179578099 * get_address_of_s_DefaultColor_8() { return &___s_DefaultColor_8; }
inline void set_s_DefaultColor_8(Color32_t3179578099 value)
=======
struct UIVertex_t2143797191_StaticFields
{
public:
// UnityEngine.Color32 UnityEngine.UIVertex::s_DefaultColor
Color32_t2389191297 ___s_DefaultColor_8;
// UnityEngine.Vector4 UnityEngine.UIVertex::s_DefaultTangent
Vector4_t289747491 ___s_DefaultTangent_9;
// UnityEngine.UIVertex UnityEngine.UIVertex::simpleVert
UIVertex_t2143797191 ___simpleVert_10;
public:
inline static int32_t get_offset_of_s_DefaultColor_8() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191_StaticFields, ___s_DefaultColor_8)); }
inline Color32_t2389191297 get_s_DefaultColor_8() const { return ___s_DefaultColor_8; }
inline Color32_t2389191297 * get_address_of_s_DefaultColor_8() { return &___s_DefaultColor_8; }
inline void set_s_DefaultColor_8(Color32_t2389191297 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___s_DefaultColor_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_s_DefaultTangent_9() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796_StaticFields, ___s_DefaultTangent_9)); }
inline Vector4_t1654968719 get_s_DefaultTangent_9() const { return ___s_DefaultTangent_9; }
inline Vector4_t1654968719 * get_address_of_s_DefaultTangent_9() { return &___s_DefaultTangent_9; }
inline void set_s_DefaultTangent_9(Vector4_t1654968719 value)
=======
inline static int32_t get_offset_of_s_DefaultTangent_9() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191_StaticFields, ___s_DefaultTangent_9)); }
inline Vector4_t289747491 get_s_DefaultTangent_9() const { return ___s_DefaultTangent_9; }
inline Vector4_t289747491 * get_address_of_s_DefaultTangent_9() { return &___s_DefaultTangent_9; }
inline void set_s_DefaultTangent_9(Vector4_t289747491 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___s_DefaultTangent_9 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_simpleVert_10() { return static_cast<int32_t>(offsetof(UIVertex_t3583803796_StaticFields, ___simpleVert_10)); }
inline UIVertex_t3583803796 get_simpleVert_10() const { return ___simpleVert_10; }
inline UIVertex_t3583803796 * get_address_of_simpleVert_10() { return &___simpleVert_10; }
inline void set_simpleVert_10(UIVertex_t3583803796 value)
=======
inline static int32_t get_offset_of_simpleVert_10() { return static_cast<int32_t>(offsetof(UIVertex_t2143797191_StaticFields, ___simpleVert_10)); }
inline UIVertex_t2143797191 get_simpleVert_10() const { return ___simpleVert_10; }
inline UIVertex_t2143797191 * get_address_of_simpleVert_10() { return &___simpleVert_10; }
inline void set_simpleVert_10(UIVertex_t2143797191 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___simpleVert_10 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // UIVERTEX_T3583803796_H
#ifndef TARGETSEARCHRESULT_T3922765545_H
#define TARGETSEARCHRESULT_T3922765545_H
=======
#endif // UIVERTEX_T2143797191_H
#ifndef TARGETSEARCHRESULT_T767815937_H
#define TARGETSEARCHRESULT_T767815937_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.TargetFinder/TargetSearchResult
<<<<<<< HEAD
struct TargetSearchResult_t3922765545
=======
struct TargetSearchResult_t767815937
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.String Vuforia.TargetFinder/TargetSearchResult::TargetName
String_t* ___TargetName_0;
// System.String Vuforia.TargetFinder/TargetSearchResult::UniqueTargetId
String_t* ___UniqueTargetId_1;
// System.Single Vuforia.TargetFinder/TargetSearchResult::TargetSize
float ___TargetSize_2;
// System.String Vuforia.TargetFinder/TargetSearchResult::MetaData
String_t* ___MetaData_3;
// System.Byte Vuforia.TargetFinder/TargetSearchResult::TrackingRating
uint8_t ___TrackingRating_4;
// System.IntPtr Vuforia.TargetFinder/TargetSearchResult::TargetSearchResultPtr
IntPtr_t ___TargetSearchResultPtr_5;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_TargetName_0() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___TargetName_0)); }
=======
inline static int32_t get_offset_of_TargetName_0() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___TargetName_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline String_t* get_TargetName_0() const { return ___TargetName_0; }
inline String_t** get_address_of_TargetName_0() { return &___TargetName_0; }
inline void set_TargetName_0(String_t* value)
{
___TargetName_0 = value;
Il2CppCodeGenWriteBarrier((&___TargetName_0), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_UniqueTargetId_1() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___UniqueTargetId_1)); }
=======
inline static int32_t get_offset_of_UniqueTargetId_1() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___UniqueTargetId_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline String_t* get_UniqueTargetId_1() const { return ___UniqueTargetId_1; }
inline String_t** get_address_of_UniqueTargetId_1() { return &___UniqueTargetId_1; }
inline void set_UniqueTargetId_1(String_t* value)
{
___UniqueTargetId_1 = value;
Il2CppCodeGenWriteBarrier((&___UniqueTargetId_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_TargetSize_2() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___TargetSize_2)); }
=======
inline static int32_t get_offset_of_TargetSize_2() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___TargetSize_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_TargetSize_2() const { return ___TargetSize_2; }
inline float* get_address_of_TargetSize_2() { return &___TargetSize_2; }
inline void set_TargetSize_2(float value)
{
___TargetSize_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MetaData_3() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___MetaData_3)); }
=======
inline static int32_t get_offset_of_MetaData_3() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___MetaData_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline String_t* get_MetaData_3() const { return ___MetaData_3; }
inline String_t** get_address_of_MetaData_3() { return &___MetaData_3; }
inline void set_MetaData_3(String_t* value)
{
___MetaData_3 = value;
Il2CppCodeGenWriteBarrier((&___MetaData_3), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_TrackingRating_4() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___TrackingRating_4)); }
=======
inline static int32_t get_offset_of_TrackingRating_4() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___TrackingRating_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint8_t get_TrackingRating_4() const { return ___TrackingRating_4; }
inline uint8_t* get_address_of_TrackingRating_4() { return &___TrackingRating_4; }
inline void set_TrackingRating_4(uint8_t value)
{
___TrackingRating_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_TargetSearchResultPtr_5() { return static_cast<int32_t>(offsetof(TargetSearchResult_t3922765545, ___TargetSearchResultPtr_5)); }
=======
inline static int32_t get_offset_of_TargetSearchResultPtr_5() { return static_cast<int32_t>(offsetof(TargetSearchResult_t767815937, ___TargetSearchResultPtr_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_TargetSearchResultPtr_5() const { return ___TargetSearchResultPtr_5; }
inline IntPtr_t* get_address_of_TargetSearchResultPtr_5() { return &___TargetSearchResultPtr_5; }
inline void set_TargetSearchResultPtr_5(IntPtr_t value)
{
___TargetSearchResultPtr_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Vuforia.TargetFinder/TargetSearchResult
<<<<<<< HEAD
struct TargetSearchResult_t3922765545_marshaled_pinvoke
=======
struct TargetSearchResult_t767815937_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
char* ___TargetName_0;
char* ___UniqueTargetId_1;
float ___TargetSize_2;
char* ___MetaData_3;
uint8_t ___TrackingRating_4;
intptr_t ___TargetSearchResultPtr_5;
};
// Native definition for COM marshalling of Vuforia.TargetFinder/TargetSearchResult
<<<<<<< HEAD
struct TargetSearchResult_t3922765545_marshaled_com
=======
struct TargetSearchResult_t767815937_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
Il2CppChar* ___TargetName_0;
Il2CppChar* ___UniqueTargetId_1;
float ___TargetSize_2;
Il2CppChar* ___MetaData_3;
uint8_t ___TrackingRating_4;
intptr_t ___TargetSearchResultPtr_5;
};
<<<<<<< HEAD
#endif // TARGETSEARCHRESULT_T3922765545_H
#ifndef RUNTIMEFIELDHANDLE_T2622547393_H
#define RUNTIMEFIELDHANDLE_T2622547393_H
=======
#endif // TARGETSEARCHRESULT_T767815937_H
#ifndef RUNTIMEFIELDHANDLE_T2469218107_H
#define RUNTIMEFIELDHANDLE_T2469218107_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.RuntimeFieldHandle
<<<<<<< HEAD
struct RuntimeFieldHandle_t2622547393
=======
struct RuntimeFieldHandle_t2469218107
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr System.RuntimeFieldHandle::value
IntPtr_t ___value_0;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeFieldHandle_t2622547393, ___value_0)); }
=======
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeFieldHandle_t2469218107, ___value_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_value_0() const { return ___value_0; }
inline IntPtr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(IntPtr_t value)
{
___value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RUNTIMEFIELDHANDLE_T2622547393_H
#ifndef RUNTIMETYPEHANDLE_T1092377203_H
#define RUNTIMETYPEHANDLE_T1092377203_H
=======
#endif // RUNTIMEFIELDHANDLE_T2469218107_H
#ifndef RUNTIMETYPEHANDLE_T1215915167_H
#define RUNTIMETYPEHANDLE_T1215915167_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.RuntimeTypeHandle
<<<<<<< HEAD
struct RuntimeTypeHandle_t1092377203
=======
struct RuntimeTypeHandle_t1215915167
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr System.RuntimeTypeHandle::value
IntPtr_t ___value_0;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeTypeHandle_t1092377203, ___value_0)); }
=======
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeTypeHandle_t1215915167, ___value_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_value_0() const { return ___value_0; }
inline IntPtr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(IntPtr_t value)
{
___value_0 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // RUNTIMETYPEHANDLE_T1092377203_H
#ifndef INSTANCEIDDATA_T4280388846_H
#define INSTANCEIDDATA_T4280388846_H
=======
#endif // RUNTIMETYPEHANDLE_T1215915167_H
#ifndef INSTANCEIDDATA_T1296950248_H
#define INSTANCEIDDATA_T1296950248_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/InstanceIdData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct InstanceIdData_t4280388846
=======
struct InstanceIdData_t1296950248
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.UInt64 Vuforia.VuforiaManagerImpl/InstanceIdData::numericValue
uint64_t ___numericValue_0;
// System.IntPtr Vuforia.VuforiaManagerImpl/InstanceIdData::buffer
IntPtr_t ___buffer_1;
// System.IntPtr Vuforia.VuforiaManagerImpl/InstanceIdData::reserved
IntPtr_t ___reserved_2;
// System.UInt32 Vuforia.VuforiaManagerImpl/InstanceIdData::dataLength
uint32_t ___dataLength_3;
// System.Int32 Vuforia.VuforiaManagerImpl/InstanceIdData::dataType
int32_t ___dataType_4;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_numericValue_0() { return static_cast<int32_t>(offsetof(InstanceIdData_t4280388846, ___numericValue_0)); }
=======
inline static int32_t get_offset_of_numericValue_0() { return static_cast<int32_t>(offsetof(InstanceIdData_t1296950248, ___numericValue_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint64_t get_numericValue_0() const { return ___numericValue_0; }
inline uint64_t* get_address_of_numericValue_0() { return &___numericValue_0; }
inline void set_numericValue_0(uint64_t value)
{
___numericValue_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_buffer_1() { return static_cast<int32_t>(offsetof(InstanceIdData_t4280388846, ___buffer_1)); }
=======
inline static int32_t get_offset_of_buffer_1() { return static_cast<int32_t>(offsetof(InstanceIdData_t1296950248, ___buffer_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_buffer_1() const { return ___buffer_1; }
inline IntPtr_t* get_address_of_buffer_1() { return &___buffer_1; }
inline void set_buffer_1(IntPtr_t value)
{
___buffer_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_reserved_2() { return static_cast<int32_t>(offsetof(InstanceIdData_t4280388846, ___reserved_2)); }
=======
inline static int32_t get_offset_of_reserved_2() { return static_cast<int32_t>(offsetof(InstanceIdData_t1296950248, ___reserved_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_reserved_2() const { return ___reserved_2; }
inline IntPtr_t* get_address_of_reserved_2() { return &___reserved_2; }
inline void set_reserved_2(IntPtr_t value)
{
___reserved_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_dataLength_3() { return static_cast<int32_t>(offsetof(InstanceIdData_t4280388846, ___dataLength_3)); }
=======
inline static int32_t get_offset_of_dataLength_3() { return static_cast<int32_t>(offsetof(InstanceIdData_t1296950248, ___dataLength_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline uint32_t get_dataLength_3() const { return ___dataLength_3; }
inline uint32_t* get_address_of_dataLength_3() { return &___dataLength_3; }
inline void set_dataLength_3(uint32_t value)
{
___dataLength_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_dataType_4() { return static_cast<int32_t>(offsetof(InstanceIdData_t4280388846, ___dataType_4)); }
=======
inline static int32_t get_offset_of_dataType_4() { return static_cast<int32_t>(offsetof(InstanceIdData_t1296950248, ___dataType_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_dataType_4() const { return ___dataType_4; }
inline int32_t* get_address_of_dataType_4() { return &___dataType_4; }
inline void set_dataType_4(int32_t value)
{
___dataType_4 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // INSTANCEIDDATA_T4280388846_H
#ifndef COLORBLOCK_T962263402_H
#define COLORBLOCK_T962263402_H
=======
#endif // INSTANCEIDDATA_T1296950248_H
#ifndef COLORBLOCK_T1699749404_H
#define COLORBLOCK_T1699749404_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UI.ColorBlock
<<<<<<< HEAD
struct ColorBlock_t962263402
{
public:
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_NormalColor
Color_t3681113374 ___m_NormalColor_0;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_HighlightedColor
Color_t3681113374 ___m_HighlightedColor_1;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_PressedColor
Color_t3681113374 ___m_PressedColor_2;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_DisabledColor
Color_t3681113374 ___m_DisabledColor_3;
=======
struct ColorBlock_t1699749404
{
public:
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_NormalColor
Color_t3957905422 ___m_NormalColor_0;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_HighlightedColor
Color_t3957905422 ___m_HighlightedColor_1;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_PressedColor
Color_t3957905422 ___m_PressedColor_2;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_DisabledColor
Color_t3957905422 ___m_DisabledColor_3;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single UnityEngine.UI.ColorBlock::m_ColorMultiplier
float ___m_ColorMultiplier_4;
// System.Single UnityEngine.UI.ColorBlock::m_FadeDuration
float ___m_FadeDuration_5;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_NormalColor_0() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_NormalColor_0)); }
inline Color_t3681113374 get_m_NormalColor_0() const { return ___m_NormalColor_0; }
inline Color_t3681113374 * get_address_of_m_NormalColor_0() { return &___m_NormalColor_0; }
inline void set_m_NormalColor_0(Color_t3681113374 value)
=======
inline static int32_t get_offset_of_m_NormalColor_0() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_NormalColor_0)); }
inline Color_t3957905422 get_m_NormalColor_0() const { return ___m_NormalColor_0; }
inline Color_t3957905422 * get_address_of_m_NormalColor_0() { return &___m_NormalColor_0; }
inline void set_m_NormalColor_0(Color_t3957905422 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_NormalColor_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_HighlightedColor_1() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_HighlightedColor_1)); }
inline Color_t3681113374 get_m_HighlightedColor_1() const { return ___m_HighlightedColor_1; }
inline Color_t3681113374 * get_address_of_m_HighlightedColor_1() { return &___m_HighlightedColor_1; }
inline void set_m_HighlightedColor_1(Color_t3681113374 value)
=======
inline static int32_t get_offset_of_m_HighlightedColor_1() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_HighlightedColor_1)); }
inline Color_t3957905422 get_m_HighlightedColor_1() const { return ___m_HighlightedColor_1; }
inline Color_t3957905422 * get_address_of_m_HighlightedColor_1() { return &___m_HighlightedColor_1; }
inline void set_m_HighlightedColor_1(Color_t3957905422 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_HighlightedColor_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_PressedColor_2() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_PressedColor_2)); }
inline Color_t3681113374 get_m_PressedColor_2() const { return ___m_PressedColor_2; }
inline Color_t3681113374 * get_address_of_m_PressedColor_2() { return &___m_PressedColor_2; }
inline void set_m_PressedColor_2(Color_t3681113374 value)
=======
inline static int32_t get_offset_of_m_PressedColor_2() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_PressedColor_2)); }
inline Color_t3957905422 get_m_PressedColor_2() const { return ___m_PressedColor_2; }
inline Color_t3957905422 * get_address_of_m_PressedColor_2() { return &___m_PressedColor_2; }
inline void set_m_PressedColor_2(Color_t3957905422 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_PressedColor_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_DisabledColor_3() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_DisabledColor_3)); }
inline Color_t3681113374 get_m_DisabledColor_3() const { return ___m_DisabledColor_3; }
inline Color_t3681113374 * get_address_of_m_DisabledColor_3() { return &___m_DisabledColor_3; }
inline void set_m_DisabledColor_3(Color_t3681113374 value)
=======
inline static int32_t get_offset_of_m_DisabledColor_3() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_DisabledColor_3)); }
inline Color_t3957905422 get_m_DisabledColor_3() const { return ___m_DisabledColor_3; }
inline Color_t3957905422 * get_address_of_m_DisabledColor_3() { return &___m_DisabledColor_3; }
inline void set_m_DisabledColor_3(Color_t3957905422 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_DisabledColor_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_ColorMultiplier_4() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_ColorMultiplier_4)); }
=======
inline static int32_t get_offset_of_m_ColorMultiplier_4() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_ColorMultiplier_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_ColorMultiplier_4() const { return ___m_ColorMultiplier_4; }
inline float* get_address_of_m_ColorMultiplier_4() { return &___m_ColorMultiplier_4; }
inline void set_m_ColorMultiplier_4(float value)
{
___m_ColorMultiplier_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_FadeDuration_5() { return static_cast<int32_t>(offsetof(ColorBlock_t962263402, ___m_FadeDuration_5)); }
=======
inline static int32_t get_offset_of_m_FadeDuration_5() { return static_cast<int32_t>(offsetof(ColorBlock_t1699749404, ___m_FadeDuration_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_FadeDuration_5() const { return ___m_FadeDuration_5; }
inline float* get_address_of_m_FadeDuration_5() { return &___m_FadeDuration_5; }
inline void set_m_FadeDuration_5(float value)
{
___m_FadeDuration_5 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // COLORBLOCK_T962263402_H
#ifndef ORIENTEDBOUNDINGBOX3D_T557234761_H
#define ORIENTEDBOUNDINGBOX3D_T557234761_H
=======
#endif // COLORBLOCK_T1699749404_H
#ifndef ORIENTEDBOUNDINGBOX3D_T2786022182_H
#define ORIENTEDBOUNDINGBOX3D_T2786022182_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.OrientedBoundingBox3D
<<<<<<< HEAD
struct OrientedBoundingBox3D_t557234761
{
public:
// UnityEngine.Vector3 Vuforia.OrientedBoundingBox3D::<Center>k__BackingField
Vector3_t3312927470 ___U3CCenterU3Ek__BackingField_0;
// UnityEngine.Vector3 Vuforia.OrientedBoundingBox3D::<HalfExtents>k__BackingField
Vector3_t3312927470 ___U3CHalfExtentsU3Ek__BackingField_1;
=======
struct OrientedBoundingBox3D_t2786022182
{
public:
// UnityEngine.Vector3 Vuforia.OrientedBoundingBox3D::<Center>k__BackingField
Vector3_t112967272 ___U3CCenterU3Ek__BackingField_0;
// UnityEngine.Vector3 Vuforia.OrientedBoundingBox3D::<HalfExtents>k__BackingField
Vector3_t112967272 ___U3CHalfExtentsU3Ek__BackingField_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single Vuforia.OrientedBoundingBox3D::<RotationY>k__BackingField
float ___U3CRotationYU3Ek__BackingField_2;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_U3CCenterU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t557234761, ___U3CCenterU3Ek__BackingField_0)); }
inline Vector3_t3312927470 get_U3CCenterU3Ek__BackingField_0() const { return ___U3CCenterU3Ek__BackingField_0; }
inline Vector3_t3312927470 * get_address_of_U3CCenterU3Ek__BackingField_0() { return &___U3CCenterU3Ek__BackingField_0; }
inline void set_U3CCenterU3Ek__BackingField_0(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_U3CCenterU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t2786022182, ___U3CCenterU3Ek__BackingField_0)); }
inline Vector3_t112967272 get_U3CCenterU3Ek__BackingField_0() const { return ___U3CCenterU3Ek__BackingField_0; }
inline Vector3_t112967272 * get_address_of_U3CCenterU3Ek__BackingField_0() { return &___U3CCenterU3Ek__BackingField_0; }
inline void set_U3CCenterU3Ek__BackingField_0(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___U3CCenterU3Ek__BackingField_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_U3CHalfExtentsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t557234761, ___U3CHalfExtentsU3Ek__BackingField_1)); }
inline Vector3_t3312927470 get_U3CHalfExtentsU3Ek__BackingField_1() const { return ___U3CHalfExtentsU3Ek__BackingField_1; }
inline Vector3_t3312927470 * get_address_of_U3CHalfExtentsU3Ek__BackingField_1() { return &___U3CHalfExtentsU3Ek__BackingField_1; }
inline void set_U3CHalfExtentsU3Ek__BackingField_1(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_U3CHalfExtentsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t2786022182, ___U3CHalfExtentsU3Ek__BackingField_1)); }
inline Vector3_t112967272 get_U3CHalfExtentsU3Ek__BackingField_1() const { return ___U3CHalfExtentsU3Ek__BackingField_1; }
inline Vector3_t112967272 * get_address_of_U3CHalfExtentsU3Ek__BackingField_1() { return &___U3CHalfExtentsU3Ek__BackingField_1; }
inline void set_U3CHalfExtentsU3Ek__BackingField_1(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___U3CHalfExtentsU3Ek__BackingField_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_U3CRotationYU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t557234761, ___U3CRotationYU3Ek__BackingField_2)); }
=======
inline static int32_t get_offset_of_U3CRotationYU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(OrientedBoundingBox3D_t2786022182, ___U3CRotationYU3Ek__BackingField_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_U3CRotationYU3Ek__BackingField_2() const { return ___U3CRotationYU3Ek__BackingField_2; }
inline float* get_address_of_U3CRotationYU3Ek__BackingField_2() { return &___U3CRotationYU3Ek__BackingField_2; }
inline void set_U3CRotationYU3Ek__BackingField_2(float value)
{
___U3CRotationYU3Ek__BackingField_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // ORIENTEDBOUNDINGBOX3D_T557234761_H
#ifndef VIDEOTEXTUREINFO_T3148615337_H
#define VIDEOTEXTUREINFO_T3148615337_H
=======
#endif // ORIENTEDBOUNDINGBOX3D_T2786022182_H
#ifndef VIDEOTEXTUREINFO_T163146950_H
#define VIDEOTEXTUREINFO_T163146950_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaRenderer/VideoTextureInfo
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VideoTextureInfo_t3148615337
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoTextureInfo::textureSize
Vec2I_t1467848268 ___textureSize_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoTextureInfo::imageSize
Vec2I_t1467848268 ___imageSize_1;
public:
inline static int32_t get_offset_of_textureSize_0() { return static_cast<int32_t>(offsetof(VideoTextureInfo_t3148615337, ___textureSize_0)); }
inline Vec2I_t1467848268 get_textureSize_0() const { return ___textureSize_0; }
inline Vec2I_t1467848268 * get_address_of_textureSize_0() { return &___textureSize_0; }
inline void set_textureSize_0(Vec2I_t1467848268 value)
=======
struct VideoTextureInfo_t163146950
{
public:
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoTextureInfo::textureSize
Vec2I_t4096930705 ___textureSize_0;
// Vuforia.VuforiaRenderer/Vec2I Vuforia.VuforiaRenderer/VideoTextureInfo::imageSize
Vec2I_t4096930705 ___imageSize_1;
public:
inline static int32_t get_offset_of_textureSize_0() { return static_cast<int32_t>(offsetof(VideoTextureInfo_t163146950, ___textureSize_0)); }
inline Vec2I_t4096930705 get_textureSize_0() const { return ___textureSize_0; }
inline Vec2I_t4096930705 * get_address_of_textureSize_0() { return &___textureSize_0; }
inline void set_textureSize_0(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___textureSize_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_imageSize_1() { return static_cast<int32_t>(offsetof(VideoTextureInfo_t3148615337, ___imageSize_1)); }
inline Vec2I_t1467848268 get_imageSize_1() const { return ___imageSize_1; }
inline Vec2I_t1467848268 * get_address_of_imageSize_1() { return &___imageSize_1; }
inline void set_imageSize_1(Vec2I_t1467848268 value)
=======
inline static int32_t get_offset_of_imageSize_1() { return static_cast<int32_t>(offsetof(VideoTextureInfo_t163146950, ___imageSize_1)); }
inline Vec2I_t4096930705 get_imageSize_1() const { return ___imageSize_1; }
inline Vec2I_t4096930705 * get_address_of_imageSize_1() { return &___imageSize_1; }
inline void set_imageSize_1(Vec2I_t4096930705 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___imageSize_1 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VIDEOTEXTUREINFO_T3148615337_H
#ifndef CUSTOMATTRIBUTENAMEDARGUMENT_T1231707366_H
#define CUSTOMATTRIBUTENAMEDARGUMENT_T1231707366_H
=======
#endif // VIDEOTEXTUREINFO_T163146950_H
#ifndef CUSTOMATTRIBUTENAMEDARGUMENT_T1185474274_H
#define CUSTOMATTRIBUTENAMEDARGUMENT_T1185474274_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Reflection.CustomAttributeNamedArgument
<<<<<<< HEAD
struct CustomAttributeNamedArgument_t1231707366
{
public:
// System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeNamedArgument::typedArgument
CustomAttributeTypedArgument_t2155045506 ___typedArgument_0;
=======
struct CustomAttributeNamedArgument_t1185474274
{
public:
// System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeNamedArgument::typedArgument
CustomAttributeTypedArgument_t2153600122 ___typedArgument_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Reflection.MemberInfo System.Reflection.CustomAttributeNamedArgument::memberInfo
MemberInfo_t * ___memberInfo_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_typedArgument_0() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t1231707366, ___typedArgument_0)); }
inline CustomAttributeTypedArgument_t2155045506 get_typedArgument_0() const { return ___typedArgument_0; }
inline CustomAttributeTypedArgument_t2155045506 * get_address_of_typedArgument_0() { return &___typedArgument_0; }
inline void set_typedArgument_0(CustomAttributeTypedArgument_t2155045506 value)
=======
inline static int32_t get_offset_of_typedArgument_0() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t1185474274, ___typedArgument_0)); }
inline CustomAttributeTypedArgument_t2153600122 get_typedArgument_0() const { return ___typedArgument_0; }
inline CustomAttributeTypedArgument_t2153600122 * get_address_of_typedArgument_0() { return &___typedArgument_0; }
inline void set_typedArgument_0(CustomAttributeTypedArgument_t2153600122 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___typedArgument_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_memberInfo_1() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t1231707366, ___memberInfo_1)); }
=======
inline static int32_t get_offset_of_memberInfo_1() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t1185474274, ___memberInfo_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline MemberInfo_t * get_memberInfo_1() const { return ___memberInfo_1; }
inline MemberInfo_t ** get_address_of_memberInfo_1() { return &___memberInfo_1; }
inline void set_memberInfo_1(MemberInfo_t * value)
{
___memberInfo_1 = value;
Il2CppCodeGenWriteBarrier((&___memberInfo_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeNamedArgument
<<<<<<< HEAD
struct CustomAttributeNamedArgument_t1231707366_marshaled_pinvoke
{
CustomAttributeTypedArgument_t2155045506_marshaled_pinvoke ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t1231707366_marshaled_com
{
CustomAttributeTypedArgument_t2155045506_marshaled_com ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
#endif // CUSTOMATTRIBUTENAMEDARGUMENT_T1231707366_H
#ifndef WORDDATA_T848558031_H
#define WORDDATA_T848558031_H
=======
struct CustomAttributeNamedArgument_t1185474274_marshaled_pinvoke
{
CustomAttributeTypedArgument_t2153600122_marshaled_pinvoke ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t1185474274_marshaled_com
{
CustomAttributeTypedArgument_t2153600122_marshaled_com ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
#endif // CUSTOMATTRIBUTENAMEDARGUMENT_T1185474274_H
#ifndef WORDDATA_T2086390285_H
#define WORDDATA_T2086390285_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/WordData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct WordData_t848558031
=======
struct WordData_t2086390285
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.IntPtr Vuforia.VuforiaManagerImpl/WordData::stringValue
IntPtr_t ___stringValue_0;
// System.Int32 Vuforia.VuforiaManagerImpl/WordData::id
int32_t ___id_1;
// UnityEngine.Vector2 Vuforia.VuforiaManagerImpl/WordData::size
<<<<<<< HEAD
Vector2_t2800108189 ___size_2;
=======
Vector2_t2738738669 ___size_2;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.VuforiaManagerImpl/WordData::unused
int32_t ___unused_3;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_stringValue_0() { return static_cast<int32_t>(offsetof(WordData_t848558031, ___stringValue_0)); }
=======
inline static int32_t get_offset_of_stringValue_0() { return static_cast<int32_t>(offsetof(WordData_t2086390285, ___stringValue_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline IntPtr_t get_stringValue_0() const { return ___stringValue_0; }
inline IntPtr_t* get_address_of_stringValue_0() { return &___stringValue_0; }
inline void set_stringValue_0(IntPtr_t value)
{
___stringValue_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(WordData_t848558031, ___id_1)); }
=======
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(WordData_t2086390285, ___id_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_id_1() const { return ___id_1; }
inline int32_t* get_address_of_id_1() { return &___id_1; }
inline void set_id_1(int32_t value)
{
___id_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_size_2() { return static_cast<int32_t>(offsetof(WordData_t848558031, ___size_2)); }
inline Vector2_t2800108189 get_size_2() const { return ___size_2; }
inline Vector2_t2800108189 * get_address_of_size_2() { return &___size_2; }
inline void set_size_2(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_size_2() { return static_cast<int32_t>(offsetof(WordData_t2086390285, ___size_2)); }
inline Vector2_t2738738669 get_size_2() const { return ___size_2; }
inline Vector2_t2738738669 * get_address_of_size_2() { return &___size_2; }
inline void set_size_2(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___size_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(WordData_t848558031, ___unused_3)); }
=======
inline static int32_t get_offset_of_unused_3() { return static_cast<int32_t>(offsetof(WordData_t2086390285, ___unused_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_unused_3() const { return ___unused_3; }
inline int32_t* get_address_of_unused_3() { return &___unused_3; }
inline void set_unused_3(int32_t value)
{
___unused_3 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // WORDDATA_T848558031_H
#ifndef UICHARINFO_T3034348004_H
#define UICHARINFO_T3034348004_H
=======
#endif // WORDDATA_T2086390285_H
#ifndef UICHARINFO_T824730085_H
#define UICHARINFO_T824730085_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UICharInfo
<<<<<<< HEAD
struct UICharInfo_t3034348004
{
public:
// UnityEngine.Vector2 UnityEngine.UICharInfo::cursorPos
Vector2_t2800108189 ___cursorPos_0;
=======
struct UICharInfo_t824730085
{
public:
// UnityEngine.Vector2 UnityEngine.UICharInfo::cursorPos
Vector2_t2738738669 ___cursorPos_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single UnityEngine.UICharInfo::charWidth
float ___charWidth_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_cursorPos_0() { return static_cast<int32_t>(offsetof(UICharInfo_t3034348004, ___cursorPos_0)); }
inline Vector2_t2800108189 get_cursorPos_0() const { return ___cursorPos_0; }
inline Vector2_t2800108189 * get_address_of_cursorPos_0() { return &___cursorPos_0; }
inline void set_cursorPos_0(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_cursorPos_0() { return static_cast<int32_t>(offsetof(UICharInfo_t824730085, ___cursorPos_0)); }
inline Vector2_t2738738669 get_cursorPos_0() const { return ___cursorPos_0; }
inline Vector2_t2738738669 * get_address_of_cursorPos_0() { return &___cursorPos_0; }
inline void set_cursorPos_0(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___cursorPos_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_charWidth_1() { return static_cast<int32_t>(offsetof(UICharInfo_t3034348004, ___charWidth_1)); }
=======
inline static int32_t get_offset_of_charWidth_1() { return static_cast<int32_t>(offsetof(UICharInfo_t824730085, ___charWidth_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_charWidth_1() const { return ___charWidth_1; }
inline float* get_address_of_charWidth_1() { return &___charWidth_1; }
inline void set_charWidth_1(float value)
{
___charWidth_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // UICHARINFO_T3034348004_H
#ifndef STREAMINGCONTEXT_T1466031978_H
#define STREAMINGCONTEXT_T1466031978_H
=======
#endif // UICHARINFO_T824730085_H
#ifndef STREAMINGCONTEXT_T1950592103_H
#define STREAMINGCONTEXT_T1950592103_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.Runtime.Serialization.StreamingContext
<<<<<<< HEAD
struct StreamingContext_t1466031978
=======
struct StreamingContext_t1950592103
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Runtime.Serialization.StreamingContextStates System.Runtime.Serialization.StreamingContext::state
int32_t ___state_0;
// System.Object System.Runtime.Serialization.StreamingContext::additional
RuntimeObject * ___additional_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_state_0() { return static_cast<int32_t>(offsetof(StreamingContext_t1466031978, ___state_0)); }
=======
inline static int32_t get_offset_of_state_0() { return static_cast<int32_t>(offsetof(StreamingContext_t1950592103, ___state_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_state_0() const { return ___state_0; }
inline int32_t* get_address_of_state_0() { return &___state_0; }
inline void set_state_0(int32_t value)
{
___state_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_additional_1() { return static_cast<int32_t>(offsetof(StreamingContext_t1466031978, ___additional_1)); }
=======
inline static int32_t get_offset_of_additional_1() { return static_cast<int32_t>(offsetof(StreamingContext_t1950592103, ___additional_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get_additional_1() const { return ___additional_1; }
inline RuntimeObject ** get_address_of_additional_1() { return &___additional_1; }
inline void set_additional_1(RuntimeObject * value)
{
___additional_1 = value;
Il2CppCodeGenWriteBarrier((&___additional_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of System.Runtime.Serialization.StreamingContext
<<<<<<< HEAD
struct StreamingContext_t1466031978_marshaled_pinvoke
=======
struct StreamingContext_t1950592103_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___state_0;
Il2CppIUnknown* ___additional_1;
};
// Native definition for COM marshalling of System.Runtime.Serialization.StreamingContext
<<<<<<< HEAD
struct StreamingContext_t1466031978_marshaled_com
=======
struct StreamingContext_t1950592103_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___state_0;
Il2CppIUnknown* ___additional_1;
};
<<<<<<< HEAD
#endif // STREAMINGCONTEXT_T1466031978_H
#ifndef TOUCH_T645821920_H
#define TOUCH_T645821920_H
=======
#endif // STREAMINGCONTEXT_T1950592103_H
#ifndef TOUCH_T3660328340_H
#define TOUCH_T3660328340_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Touch
<<<<<<< HEAD
struct Touch_t645821920
=======
struct Touch_t3660328340
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// System.Int32 UnityEngine.Touch::m_FingerId
int32_t ___m_FingerId_0;
// UnityEngine.Vector2 UnityEngine.Touch::m_Position
<<<<<<< HEAD
Vector2_t2800108189 ___m_Position_1;
// UnityEngine.Vector2 UnityEngine.Touch::m_RawPosition
Vector2_t2800108189 ___m_RawPosition_2;
// UnityEngine.Vector2 UnityEngine.Touch::m_PositionDelta
Vector2_t2800108189 ___m_PositionDelta_3;
=======
Vector2_t2738738669 ___m_Position_1;
// UnityEngine.Vector2 UnityEngine.Touch::m_RawPosition
Vector2_t2738738669 ___m_RawPosition_2;
// UnityEngine.Vector2 UnityEngine.Touch::m_PositionDelta
Vector2_t2738738669 ___m_PositionDelta_3;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Single UnityEngine.Touch::m_TimeDelta
float ___m_TimeDelta_4;
// System.Int32 UnityEngine.Touch::m_TapCount
int32_t ___m_TapCount_5;
// UnityEngine.TouchPhase UnityEngine.Touch::m_Phase
int32_t ___m_Phase_6;
// UnityEngine.TouchType UnityEngine.Touch::m_Type
int32_t ___m_Type_7;
// System.Single UnityEngine.Touch::m_Pressure
float ___m_Pressure_8;
// System.Single UnityEngine.Touch::m_maximumPossiblePressure
float ___m_maximumPossiblePressure_9;
// System.Single UnityEngine.Touch::m_Radius
float ___m_Radius_10;
// System.Single UnityEngine.Touch::m_RadiusVariance
float ___m_RadiusVariance_11;
// System.Single UnityEngine.Touch::m_AltitudeAngle
float ___m_AltitudeAngle_12;
// System.Single UnityEngine.Touch::m_AzimuthAngle
float ___m_AzimuthAngle_13;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_m_FingerId_0() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_FingerId_0)); }
=======
inline static int32_t get_offset_of_m_FingerId_0() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_FingerId_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_FingerId_0() const { return ___m_FingerId_0; }
inline int32_t* get_address_of_m_FingerId_0() { return &___m_FingerId_0; }
inline void set_m_FingerId_0(int32_t value)
{
___m_FingerId_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Position_1() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_Position_1)); }
inline Vector2_t2800108189 get_m_Position_1() const { return ___m_Position_1; }
inline Vector2_t2800108189 * get_address_of_m_Position_1() { return &___m_Position_1; }
inline void set_m_Position_1(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_m_Position_1() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_Position_1)); }
inline Vector2_t2738738669 get_m_Position_1() const { return ___m_Position_1; }
inline Vector2_t2738738669 * get_address_of_m_Position_1() { return &___m_Position_1; }
inline void set_m_Position_1(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_Position_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_RawPosition_2() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_RawPosition_2)); }
inline Vector2_t2800108189 get_m_RawPosition_2() const { return ___m_RawPosition_2; }
inline Vector2_t2800108189 * get_address_of_m_RawPosition_2() { return &___m_RawPosition_2; }
inline void set_m_RawPosition_2(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_m_RawPosition_2() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_RawPosition_2)); }
inline Vector2_t2738738669 get_m_RawPosition_2() const { return ___m_RawPosition_2; }
inline Vector2_t2738738669 * get_address_of_m_RawPosition_2() { return &___m_RawPosition_2; }
inline void set_m_RawPosition_2(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_RawPosition_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_PositionDelta_3() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_PositionDelta_3)); }
inline Vector2_t2800108189 get_m_PositionDelta_3() const { return ___m_PositionDelta_3; }
inline Vector2_t2800108189 * get_address_of_m_PositionDelta_3() { return &___m_PositionDelta_3; }
inline void set_m_PositionDelta_3(Vector2_t2800108189 value)
=======
inline static int32_t get_offset_of_m_PositionDelta_3() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_PositionDelta_3)); }
inline Vector2_t2738738669 get_m_PositionDelta_3() const { return ___m_PositionDelta_3; }
inline Vector2_t2738738669 * get_address_of_m_PositionDelta_3() { return &___m_PositionDelta_3; }
inline void set_m_PositionDelta_3(Vector2_t2738738669 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_PositionDelta_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_TimeDelta_4() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_TimeDelta_4)); }
=======
inline static int32_t get_offset_of_m_TimeDelta_4() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_TimeDelta_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_TimeDelta_4() const { return ___m_TimeDelta_4; }
inline float* get_address_of_m_TimeDelta_4() { return &___m_TimeDelta_4; }
inline void set_m_TimeDelta_4(float value)
{
___m_TimeDelta_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_TapCount_5() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_TapCount_5)); }
=======
inline static int32_t get_offset_of_m_TapCount_5() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_TapCount_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_TapCount_5() const { return ___m_TapCount_5; }
inline int32_t* get_address_of_m_TapCount_5() { return &___m_TapCount_5; }
inline void set_m_TapCount_5(int32_t value)
{
___m_TapCount_5 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Phase_6() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_Phase_6)); }
=======
inline static int32_t get_offset_of_m_Phase_6() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_Phase_6)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_Phase_6() const { return ___m_Phase_6; }
inline int32_t* get_address_of_m_Phase_6() { return &___m_Phase_6; }
inline void set_m_Phase_6(int32_t value)
{
___m_Phase_6 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Type_7() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_Type_7)); }
=======
inline static int32_t get_offset_of_m_Type_7() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_Type_7)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_Type_7() const { return ___m_Type_7; }
inline int32_t* get_address_of_m_Type_7() { return &___m_Type_7; }
inline void set_m_Type_7(int32_t value)
{
___m_Type_7 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Pressure_8() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_Pressure_8)); }
=======
inline static int32_t get_offset_of_m_Pressure_8() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_Pressure_8)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_Pressure_8() const { return ___m_Pressure_8; }
inline float* get_address_of_m_Pressure_8() { return &___m_Pressure_8; }
inline void set_m_Pressure_8(float value)
{
___m_Pressure_8 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_maximumPossiblePressure_9() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_maximumPossiblePressure_9)); }
=======
inline static int32_t get_offset_of_m_maximumPossiblePressure_9() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_maximumPossiblePressure_9)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_maximumPossiblePressure_9() const { return ___m_maximumPossiblePressure_9; }
inline float* get_address_of_m_maximumPossiblePressure_9() { return &___m_maximumPossiblePressure_9; }
inline void set_m_maximumPossiblePressure_9(float value)
{
___m_maximumPossiblePressure_9 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_Radius_10() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_Radius_10)); }
=======
inline static int32_t get_offset_of_m_Radius_10() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_Radius_10)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_Radius_10() const { return ___m_Radius_10; }
inline float* get_address_of_m_Radius_10() { return &___m_Radius_10; }
inline void set_m_Radius_10(float value)
{
___m_Radius_10 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_RadiusVariance_11() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_RadiusVariance_11)); }
=======
inline static int32_t get_offset_of_m_RadiusVariance_11() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_RadiusVariance_11)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_RadiusVariance_11() const { return ___m_RadiusVariance_11; }
inline float* get_address_of_m_RadiusVariance_11() { return &___m_RadiusVariance_11; }
inline void set_m_RadiusVariance_11(float value)
{
___m_RadiusVariance_11 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_AltitudeAngle_12() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_AltitudeAngle_12)); }
=======
inline static int32_t get_offset_of_m_AltitudeAngle_12() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_AltitudeAngle_12)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_AltitudeAngle_12() const { return ___m_AltitudeAngle_12; }
inline float* get_address_of_m_AltitudeAngle_12() { return &___m_AltitudeAngle_12; }
inline void set_m_AltitudeAngle_12(float value)
{
___m_AltitudeAngle_12 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_AzimuthAngle_13() { return static_cast<int32_t>(offsetof(Touch_t645821920, ___m_AzimuthAngle_13)); }
=======
inline static int32_t get_offset_of_m_AzimuthAngle_13() { return static_cast<int32_t>(offsetof(Touch_t3660328340, ___m_AzimuthAngle_13)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline float get_m_AzimuthAngle_13() const { return ___m_AzimuthAngle_13; }
inline float* get_address_of_m_AzimuthAngle_13() { return &___m_AzimuthAngle_13; }
inline void set_m_AzimuthAngle_13(float value)
{
___m_AzimuthAngle_13 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // TOUCH_T645821920_H
#ifndef POSEAGEENTRY_T666504402_H
#define POSEAGEENTRY_T666504402_H
=======
#endif // TOUCH_T3660328340_H
#ifndef POSEAGEENTRY_T120363684_H
#define POSEAGEENTRY_T120363684_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry
<<<<<<< HEAD
struct PoseAgeEntry_t666504402
{
public:
// Vuforia.HoloLensExtendedTrackingManager/PoseInfo Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry::Pose
PoseInfo_t3092759582 ___Pose_0;
// Vuforia.HoloLensExtendedTrackingManager/PoseInfo Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry::CameraPose
PoseInfo_t3092759582 ___CameraPose_1;
=======
struct PoseAgeEntry_t120363684
{
public:
// Vuforia.HoloLensExtendedTrackingManager/PoseInfo Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry::Pose
PoseInfo_t3058882587 ___Pose_0;
// Vuforia.HoloLensExtendedTrackingManager/PoseInfo Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry::CameraPose
PoseInfo_t3058882587 ___CameraPose_1;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.HoloLensExtendedTrackingManager/PoseAgeEntry::Age
int32_t ___Age_2;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_Pose_0() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t666504402, ___Pose_0)); }
inline PoseInfo_t3092759582 get_Pose_0() const { return ___Pose_0; }
inline PoseInfo_t3092759582 * get_address_of_Pose_0() { return &___Pose_0; }
inline void set_Pose_0(PoseInfo_t3092759582 value)
=======
inline static int32_t get_offset_of_Pose_0() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t120363684, ___Pose_0)); }
inline PoseInfo_t3058882587 get_Pose_0() const { return ___Pose_0; }
inline PoseInfo_t3058882587 * get_address_of_Pose_0() { return &___Pose_0; }
inline void set_Pose_0(PoseInfo_t3058882587 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Pose_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_CameraPose_1() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t666504402, ___CameraPose_1)); }
inline PoseInfo_t3092759582 get_CameraPose_1() const { return ___CameraPose_1; }
inline PoseInfo_t3092759582 * get_address_of_CameraPose_1() { return &___CameraPose_1; }
inline void set_CameraPose_1(PoseInfo_t3092759582 value)
=======
inline static int32_t get_offset_of_CameraPose_1() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t120363684, ___CameraPose_1)); }
inline PoseInfo_t3058882587 get_CameraPose_1() const { return ___CameraPose_1; }
inline PoseInfo_t3058882587 * get_address_of_CameraPose_1() { return &___CameraPose_1; }
inline void set_CameraPose_1(PoseInfo_t3058882587 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___CameraPose_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Age_2() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t666504402, ___Age_2)); }
=======
inline static int32_t get_offset_of_Age_2() { return static_cast<int32_t>(offsetof(PoseAgeEntry_t120363684, ___Age_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_Age_2() const { return ___Age_2; }
inline int32_t* get_address_of_Age_2() { return &___Age_2; }
inline void set_Age_2(int32_t value)
{
___Age_2 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // POSEAGEENTRY_T666504402_H
#ifndef WORDRESULTDATA_T197027065_H
#define WORDRESULTDATA_T197027065_H
=======
#endif // POSEAGEENTRY_T120363684_H
#ifndef WORDRESULTDATA_T1425775683_H
#define WORDRESULTDATA_T1425775683_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/WordResultData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct WordResultData_t197027065
{
public:
// Vuforia.VuforiaManagerImpl/PoseData Vuforia.VuforiaManagerImpl/WordResultData::pose
PoseData_t1966732369 ___pose_0;
=======
struct WordResultData_t1425775683
{
public:
// Vuforia.VuforiaManagerImpl/PoseData Vuforia.VuforiaManagerImpl/WordResultData::pose
PoseData_t3318708740 ___pose_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Double Vuforia.VuforiaManagerImpl/WordResultData::timeStamp
double ___timeStamp_1;
// System.Int32 Vuforia.VuforiaManagerImpl/WordResultData::statusInteger
int32_t ___statusInteger_2;
// System.Int32 Vuforia.VuforiaManagerImpl/WordResultData::id
int32_t ___id_3;
// Vuforia.VuforiaManagerImpl/Obb2D Vuforia.VuforiaManagerImpl/WordResultData::orientedBoundingBox
<<<<<<< HEAD
Obb2D_t2311743467 ___orientedBoundingBox_4;
public:
inline static int32_t get_offset_of_pose_0() { return static_cast<int32_t>(offsetof(WordResultData_t197027065, ___pose_0)); }
inline PoseData_t1966732369 get_pose_0() const { return ___pose_0; }
inline PoseData_t1966732369 * get_address_of_pose_0() { return &___pose_0; }
inline void set_pose_0(PoseData_t1966732369 value)
=======
Obb2D_t3481312782 ___orientedBoundingBox_4;
public:
inline static int32_t get_offset_of_pose_0() { return static_cast<int32_t>(offsetof(WordResultData_t1425775683, ___pose_0)); }
inline PoseData_t3318708740 get_pose_0() const { return ___pose_0; }
inline PoseData_t3318708740 * get_address_of_pose_0() { return &___pose_0; }
inline void set_pose_0(PoseData_t3318708740 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___pose_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_timeStamp_1() { return static_cast<int32_t>(offsetof(WordResultData_t197027065, ___timeStamp_1)); }
=======
inline static int32_t get_offset_of_timeStamp_1() { return static_cast<int32_t>(offsetof(WordResultData_t1425775683, ___timeStamp_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline double get_timeStamp_1() const { return ___timeStamp_1; }
inline double* get_address_of_timeStamp_1() { return &___timeStamp_1; }
inline void set_timeStamp_1(double value)
{
___timeStamp_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_statusInteger_2() { return static_cast<int32_t>(offsetof(WordResultData_t197027065, ___statusInteger_2)); }
=======
inline static int32_t get_offset_of_statusInteger_2() { return static_cast<int32_t>(offsetof(WordResultData_t1425775683, ___statusInteger_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_statusInteger_2() const { return ___statusInteger_2; }
inline int32_t* get_address_of_statusInteger_2() { return &___statusInteger_2; }
inline void set_statusInteger_2(int32_t value)
{
___statusInteger_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_id_3() { return static_cast<int32_t>(offsetof(WordResultData_t197027065, ___id_3)); }
=======
inline static int32_t get_offset_of_id_3() { return static_cast<int32_t>(offsetof(WordResultData_t1425775683, ___id_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_id_3() const { return ___id_3; }
inline int32_t* get_address_of_id_3() { return &___id_3; }
inline void set_id_3(int32_t value)
{
___id_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_orientedBoundingBox_4() { return static_cast<int32_t>(offsetof(WordResultData_t197027065, ___orientedBoundingBox_4)); }
inline Obb2D_t2311743467 get_orientedBoundingBox_4() const { return ___orientedBoundingBox_4; }
inline Obb2D_t2311743467 * get_address_of_orientedBoundingBox_4() { return &___orientedBoundingBox_4; }
inline void set_orientedBoundingBox_4(Obb2D_t2311743467 value)
=======
inline static int32_t get_offset_of_orientedBoundingBox_4() { return static_cast<int32_t>(offsetof(WordResultData_t1425775683, ___orientedBoundingBox_4)); }
inline Obb2D_t3481312782 get_orientedBoundingBox_4() const { return ___orientedBoundingBox_4; }
inline Obb2D_t3481312782 * get_address_of_orientedBoundingBox_4() { return &___orientedBoundingBox_4; }
inline void set_orientedBoundingBox_4(Obb2D_t3481312782 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___orientedBoundingBox_4 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // WORDRESULTDATA_T197027065_H
#ifndef PLAYABLE_T4206032819_H
#define PLAYABLE_T4206032819_H
=======
#endif // WORDRESULTDATA_T1425775683_H
#ifndef PLAYABLE_T2999778318_H
#define PLAYABLE_T2999778318_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.Playables.Playable
<<<<<<< HEAD
struct Playable_t4206032819
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Playables.Playable::m_Handle
PlayableHandle_t1916675622 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(Playable_t4206032819, ___m_Handle_0)); }
inline PlayableHandle_t1916675622 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t1916675622 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t1916675622 value)
=======
struct Playable_t2999778318
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Playables.Playable::m_Handle
PlayableHandle_t783722283 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(Playable_t2999778318, ___m_Handle_0)); }
inline PlayableHandle_t783722283 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t783722283 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t783722283 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_Handle_0 = value;
}
};
<<<<<<< HEAD
struct Playable_t4206032819_StaticFields
{
public:
// UnityEngine.Playables.Playable UnityEngine.Playables.Playable::m_NullPlayable
Playable_t4206032819 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(Playable_t4206032819_StaticFields, ___m_NullPlayable_1)); }
inline Playable_t4206032819 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline Playable_t4206032819 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(Playable_t4206032819 value)
=======
struct Playable_t2999778318_StaticFields
{
public:
// UnityEngine.Playables.Playable UnityEngine.Playables.Playable::m_NullPlayable
Playable_t2999778318 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(Playable_t2999778318_StaticFields, ___m_NullPlayable_1)); }
inline Playable_t2999778318 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline Playable_t2999778318 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(Playable_t2999778318 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_NullPlayable_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // PLAYABLE_T4206032819_H
#ifndef VUMARKTARGETRESULTDATA_T2861404624_H
#define VUMARKTARGETRESULTDATA_T2861404624_H
=======
#endif // PLAYABLE_T2999778318_H
#ifndef VUMARKTARGETRESULTDATA_T2950635639_H
#define VUMARKTARGETRESULTDATA_T2950635639_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/VuMarkTargetResultData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VuMarkTargetResultData_t2861404624
{
public:
// Vuforia.VuforiaManagerImpl/PoseData Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::pose
PoseData_t1966732369 ___pose_0;
=======
struct VuMarkTargetResultData_t2950635639
{
public:
// Vuforia.VuforiaManagerImpl/PoseData Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::pose
PoseData_t3318708740 ___pose_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Double Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::timeStamp
double ___timeStamp_1;
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::statusInteger
int32_t ___statusInteger_2;
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::targetID
int32_t ___targetID_3;
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::resultID
int32_t ___resultID_4;
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetResultData::unused
int32_t ___unused_5;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_pose_0() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___pose_0)); }
inline PoseData_t1966732369 get_pose_0() const { return ___pose_0; }
inline PoseData_t1966732369 * get_address_of_pose_0() { return &___pose_0; }
inline void set_pose_0(PoseData_t1966732369 value)
=======
inline static int32_t get_offset_of_pose_0() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___pose_0)); }
inline PoseData_t3318708740 get_pose_0() const { return ___pose_0; }
inline PoseData_t3318708740 * get_address_of_pose_0() { return &___pose_0; }
inline void set_pose_0(PoseData_t3318708740 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___pose_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_timeStamp_1() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___timeStamp_1)); }
=======
inline static int32_t get_offset_of_timeStamp_1() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___timeStamp_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline double get_timeStamp_1() const { return ___timeStamp_1; }
inline double* get_address_of_timeStamp_1() { return &___timeStamp_1; }
inline void set_timeStamp_1(double value)
{
___timeStamp_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_statusInteger_2() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___statusInteger_2)); }
=======
inline static int32_t get_offset_of_statusInteger_2() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___statusInteger_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_statusInteger_2() const { return ___statusInteger_2; }
inline int32_t* get_address_of_statusInteger_2() { return &___statusInteger_2; }
inline void set_statusInteger_2(int32_t value)
{
___statusInteger_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_targetID_3() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___targetID_3)); }
=======
inline static int32_t get_offset_of_targetID_3() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___targetID_3)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_targetID_3() const { return ___targetID_3; }
inline int32_t* get_address_of_targetID_3() { return &___targetID_3; }
inline void set_targetID_3(int32_t value)
{
___targetID_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_resultID_4() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___resultID_4)); }
=======
inline static int32_t get_offset_of_resultID_4() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___resultID_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_resultID_4() const { return ___resultID_4; }
inline int32_t* get_address_of_resultID_4() { return &___resultID_4; }
inline void set_resultID_4(int32_t value)
{
___resultID_4 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_unused_5() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2861404624, ___unused_5)); }
=======
inline static int32_t get_offset_of_unused_5() { return static_cast<int32_t>(offsetof(VuMarkTargetResultData_t2950635639, ___unused_5)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_unused_5() const { return ___unused_5; }
inline int32_t* get_address_of_unused_5() { return &___unused_5; }
inline void set_unused_5(int32_t value)
{
___unused_5 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VUMARKTARGETRESULTDATA_T2861404624_H
#ifndef VUMARKTARGETDATA_T2421758178_H
#define VUMARKTARGETDATA_T2421758178_H
=======
#endif // VUMARKTARGETRESULTDATA_T2950635639_H
#ifndef VUMARKTARGETDATA_T1891147896_H
#define VUMARKTARGETDATA_T1891147896_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.VuforiaManagerImpl/VuMarkTargetData
#pragma pack(push, tp, 1)
<<<<<<< HEAD
struct VuMarkTargetData_t2421758178
{
public:
// Vuforia.VuforiaManagerImpl/InstanceIdData Vuforia.VuforiaManagerImpl/VuMarkTargetData::instanceId
InstanceIdData_t4280388846 ___instanceId_0;
=======
struct VuMarkTargetData_t1891147896
{
public:
// Vuforia.VuforiaManagerImpl/InstanceIdData Vuforia.VuforiaManagerImpl/VuMarkTargetData::instanceId
InstanceIdData_t1296950248 ___instanceId_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetData::id
int32_t ___id_1;
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetData::templateId
int32_t ___templateId_2;
// UnityEngine.Vector3 Vuforia.VuforiaManagerImpl/VuMarkTargetData::size
<<<<<<< HEAD
Vector3_t3312927470 ___size_3;
=======
Vector3_t112967272 ___size_3;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Int32 Vuforia.VuforiaManagerImpl/VuMarkTargetData::unused
int32_t ___unused_4;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_instanceId_0() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t2421758178, ___instanceId_0)); }
inline InstanceIdData_t4280388846 get_instanceId_0() const { return ___instanceId_0; }
inline InstanceIdData_t4280388846 * get_address_of_instanceId_0() { return &___instanceId_0; }
inline void set_instanceId_0(InstanceIdData_t4280388846 value)
=======
inline static int32_t get_offset_of_instanceId_0() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t1891147896, ___instanceId_0)); }
inline InstanceIdData_t1296950248 get_instanceId_0() const { return ___instanceId_0; }
inline InstanceIdData_t1296950248 * get_address_of_instanceId_0() { return &___instanceId_0; }
inline void set_instanceId_0(InstanceIdData_t1296950248 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___instanceId_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t2421758178, ___id_1)); }
=======
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t1891147896, ___id_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_id_1() const { return ___id_1; }
inline int32_t* get_address_of_id_1() { return &___id_1; }
inline void set_id_1(int32_t value)
{
___id_1 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_templateId_2() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t2421758178, ___templateId_2)); }
=======
inline static int32_t get_offset_of_templateId_2() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t1891147896, ___templateId_2)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_templateId_2() const { return ___templateId_2; }
inline int32_t* get_address_of_templateId_2() { return &___templateId_2; }
inline void set_templateId_2(int32_t value)
{
___templateId_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_size_3() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t2421758178, ___size_3)); }
inline Vector3_t3312927470 get_size_3() const { return ___size_3; }
inline Vector3_t3312927470 * get_address_of_size_3() { return &___size_3; }
inline void set_size_3(Vector3_t3312927470 value)
=======
inline static int32_t get_offset_of_size_3() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t1891147896, ___size_3)); }
inline Vector3_t112967272 get_size_3() const { return ___size_3; }
inline Vector3_t112967272 * get_address_of_size_3() { return &___size_3; }
inline void set_size_3(Vector3_t112967272 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___size_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_unused_4() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t2421758178, ___unused_4)); }
=======
inline static int32_t get_offset_of_unused_4() { return static_cast<int32_t>(offsetof(VuMarkTargetData_t1891147896, ___unused_4)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_unused_4() const { return ___unused_4; }
inline int32_t* get_address_of_unused_4() { return &___unused_4; }
inline void set_unused_4(int32_t value)
{
___unused_4 = value;
}
};
#pragma pack(pop, tp)
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // VUMARKTARGETDATA_T2421758178_H
#ifndef NAVIGATION_T1397045661_H
#define NAVIGATION_T1397045661_H
=======
#endif // VUMARKTARGETDATA_T1891147896_H
#ifndef NAVIGATION_T3886735748_H
#define NAVIGATION_T3886735748_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// UnityEngine.UI.Navigation
<<<<<<< HEAD
struct Navigation_t1397045661
=======
struct Navigation_t3886735748
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// UnityEngine.UI.Navigation/Mode UnityEngine.UI.Navigation::m_Mode
int32_t ___m_Mode_0;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnUp
<<<<<<< HEAD
Selectable_t254828583 * ___m_SelectOnUp_1;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnDown
Selectable_t254828583 * ___m_SelectOnDown_2;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnLeft
Selectable_t254828583 * ___m_SelectOnLeft_3;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnRight
Selectable_t254828583 * ___m_SelectOnRight_4;
public:
inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(Navigation_t1397045661, ___m_Mode_0)); }
=======
Selectable_t1368096960 * ___m_SelectOnUp_1;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnDown
Selectable_t1368096960 * ___m_SelectOnDown_2;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnLeft
Selectable_t1368096960 * ___m_SelectOnLeft_3;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnRight
Selectable_t1368096960 * ___m_SelectOnRight_4;
public:
inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(Navigation_t3886735748, ___m_Mode_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_m_Mode_0() const { return ___m_Mode_0; }
inline int32_t* get_address_of_m_Mode_0() { return &___m_Mode_0; }
inline void set_m_Mode_0(int32_t value)
{
___m_Mode_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_SelectOnUp_1() { return static_cast<int32_t>(offsetof(Navigation_t1397045661, ___m_SelectOnUp_1)); }
inline Selectable_t254828583 * get_m_SelectOnUp_1() const { return ___m_SelectOnUp_1; }
inline Selectable_t254828583 ** get_address_of_m_SelectOnUp_1() { return &___m_SelectOnUp_1; }
inline void set_m_SelectOnUp_1(Selectable_t254828583 * value)
=======
inline static int32_t get_offset_of_m_SelectOnUp_1() { return static_cast<int32_t>(offsetof(Navigation_t3886735748, ___m_SelectOnUp_1)); }
inline Selectable_t1368096960 * get_m_SelectOnUp_1() const { return ___m_SelectOnUp_1; }
inline Selectable_t1368096960 ** get_address_of_m_SelectOnUp_1() { return &___m_SelectOnUp_1; }
inline void set_m_SelectOnUp_1(Selectable_t1368096960 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_SelectOnUp_1 = value;
Il2CppCodeGenWriteBarrier((&___m_SelectOnUp_1), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_SelectOnDown_2() { return static_cast<int32_t>(offsetof(Navigation_t1397045661, ___m_SelectOnDown_2)); }
inline Selectable_t254828583 * get_m_SelectOnDown_2() const { return ___m_SelectOnDown_2; }
inline Selectable_t254828583 ** get_address_of_m_SelectOnDown_2() { return &___m_SelectOnDown_2; }
inline void set_m_SelectOnDown_2(Selectable_t254828583 * value)
=======
inline static int32_t get_offset_of_m_SelectOnDown_2() { return static_cast<int32_t>(offsetof(Navigation_t3886735748, ___m_SelectOnDown_2)); }
inline Selectable_t1368096960 * get_m_SelectOnDown_2() const { return ___m_SelectOnDown_2; }
inline Selectable_t1368096960 ** get_address_of_m_SelectOnDown_2() { return &___m_SelectOnDown_2; }
inline void set_m_SelectOnDown_2(Selectable_t1368096960 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_SelectOnDown_2 = value;
Il2CppCodeGenWriteBarrier((&___m_SelectOnDown_2), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_SelectOnLeft_3() { return static_cast<int32_t>(offsetof(Navigation_t1397045661, ___m_SelectOnLeft_3)); }
inline Selectable_t254828583 * get_m_SelectOnLeft_3() const { return ___m_SelectOnLeft_3; }
inline Selectable_t254828583 ** get_address_of_m_SelectOnLeft_3() { return &___m_SelectOnLeft_3; }
inline void set_m_SelectOnLeft_3(Selectable_t254828583 * value)
=======
inline static int32_t get_offset_of_m_SelectOnLeft_3() { return static_cast<int32_t>(offsetof(Navigation_t3886735748, ___m_SelectOnLeft_3)); }
inline Selectable_t1368096960 * get_m_SelectOnLeft_3() const { return ___m_SelectOnLeft_3; }
inline Selectable_t1368096960 ** get_address_of_m_SelectOnLeft_3() { return &___m_SelectOnLeft_3; }
inline void set_m_SelectOnLeft_3(Selectable_t1368096960 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_SelectOnLeft_3 = value;
Il2CppCodeGenWriteBarrier((&___m_SelectOnLeft_3), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_m_SelectOnRight_4() { return static_cast<int32_t>(offsetof(Navigation_t1397045661, ___m_SelectOnRight_4)); }
inline Selectable_t254828583 * get_m_SelectOnRight_4() const { return ___m_SelectOnRight_4; }
inline Selectable_t254828583 ** get_address_of_m_SelectOnRight_4() { return &___m_SelectOnRight_4; }
inline void set_m_SelectOnRight_4(Selectable_t254828583 * value)
=======
inline static int32_t get_offset_of_m_SelectOnRight_4() { return static_cast<int32_t>(offsetof(Navigation_t3886735748, ___m_SelectOnRight_4)); }
inline Selectable_t1368096960 * get_m_SelectOnRight_4() const { return ___m_SelectOnRight_4; }
inline Selectable_t1368096960 ** get_address_of_m_SelectOnRight_4() { return &___m_SelectOnRight_4; }
inline void set_m_SelectOnRight_4(Selectable_t1368096960 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___m_SelectOnRight_4 = value;
Il2CppCodeGenWriteBarrier((&___m_SelectOnRight_4), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of UnityEngine.UI.Navigation
<<<<<<< HEAD
struct Navigation_t1397045661_marshaled_pinvoke
{
int32_t ___m_Mode_0;
Selectable_t254828583 * ___m_SelectOnUp_1;
Selectable_t254828583 * ___m_SelectOnDown_2;
Selectable_t254828583 * ___m_SelectOnLeft_3;
Selectable_t254828583 * ___m_SelectOnRight_4;
};
// Native definition for COM marshalling of UnityEngine.UI.Navigation
struct Navigation_t1397045661_marshaled_com
{
int32_t ___m_Mode_0;
Selectable_t254828583 * ___m_SelectOnUp_1;
Selectable_t254828583 * ___m_SelectOnDown_2;
Selectable_t254828583 * ___m_SelectOnLeft_3;
Selectable_t254828583 * ___m_SelectOnRight_4;
};
#endif // NAVIGATION_T1397045661_H
#ifndef DATETIME_T2564313322_H
#define DATETIME_T2564313322_H
=======
struct Navigation_t3886735748_marshaled_pinvoke
{
int32_t ___m_Mode_0;
Selectable_t1368096960 * ___m_SelectOnUp_1;
Selectable_t1368096960 * ___m_SelectOnDown_2;
Selectable_t1368096960 * ___m_SelectOnLeft_3;
Selectable_t1368096960 * ___m_SelectOnRight_4;
};
// Native definition for COM marshalling of UnityEngine.UI.Navigation
struct Navigation_t3886735748_marshaled_com
{
int32_t ___m_Mode_0;
Selectable_t1368096960 * ___m_SelectOnUp_1;
Selectable_t1368096960 * ___m_SelectOnDown_2;
Selectable_t1368096960 * ___m_SelectOnLeft_3;
Selectable_t1368096960 * ___m_SelectOnRight_4;
};
#endif // NAVIGATION_T3886735748_H
#ifndef DATETIME_T2400840837_H
#define DATETIME_T2400840837_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.DateTime
<<<<<<< HEAD
struct DateTime_t2564313322
{
public:
// System.TimeSpan System.DateTime::ticks
TimeSpan_t2155380954 ___ticks_0;
=======
struct DateTime_t2400840837
{
public:
// System.TimeSpan System.DateTime::ticks
TimeSpan_t4245672980 ___ticks_0;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.DateTimeKind System.DateTime::kind
int32_t ___kind_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_ticks_0() { return static_cast<int32_t>(offsetof(DateTime_t2564313322, ___ticks_0)); }
inline TimeSpan_t2155380954 get_ticks_0() const { return ___ticks_0; }
inline TimeSpan_t2155380954 * get_address_of_ticks_0() { return &___ticks_0; }
inline void set_ticks_0(TimeSpan_t2155380954 value)
=======
inline static int32_t get_offset_of_ticks_0() { return static_cast<int32_t>(offsetof(DateTime_t2400840837, ___ticks_0)); }
inline TimeSpan_t4245672980 get_ticks_0() const { return ___ticks_0; }
inline TimeSpan_t4245672980 * get_address_of_ticks_0() { return &___ticks_0; }
inline void set_ticks_0(TimeSpan_t4245672980 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ticks_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_kind_1() { return static_cast<int32_t>(offsetof(DateTime_t2564313322, ___kind_1)); }
=======
inline static int32_t get_offset_of_kind_1() { return static_cast<int32_t>(offsetof(DateTime_t2400840837, ___kind_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_kind_1() const { return ___kind_1; }
inline int32_t* get_address_of_kind_1() { return &___kind_1; }
inline void set_kind_1(int32_t value)
{
___kind_1 = value;
}
};
<<<<<<< HEAD
struct DateTime_t2564313322_StaticFields
{
public:
// System.DateTime System.DateTime::MaxValue
DateTime_t2564313322 ___MaxValue_2;
// System.DateTime System.DateTime::MinValue
DateTime_t2564313322 ___MinValue_3;
// System.String[] System.DateTime::ParseTimeFormats
StringU5BU5D_t684622533* ___ParseTimeFormats_4;
// System.String[] System.DateTime::ParseYearDayMonthFormats
StringU5BU5D_t684622533* ___ParseYearDayMonthFormats_5;
// System.String[] System.DateTime::ParseYearMonthDayFormats
StringU5BU5D_t684622533* ___ParseYearMonthDayFormats_6;
// System.String[] System.DateTime::ParseDayMonthYearFormats
StringU5BU5D_t684622533* ___ParseDayMonthYearFormats_7;
// System.String[] System.DateTime::ParseMonthDayYearFormats
StringU5BU5D_t684622533* ___ParseMonthDayYearFormats_8;
// System.String[] System.DateTime::MonthDayShortFormats
StringU5BU5D_t684622533* ___MonthDayShortFormats_9;
// System.String[] System.DateTime::DayMonthShortFormats
StringU5BU5D_t684622533* ___DayMonthShortFormats_10;
// System.Int32[] System.DateTime::daysmonth
Int32U5BU5D_t2267711769* ___daysmonth_11;
// System.Int32[] System.DateTime::daysmonthleap
Int32U5BU5D_t2267711769* ___daysmonthleap_12;
=======
struct DateTime_t2400840837_StaticFields
{
public:
// System.DateTime System.DateTime::MaxValue
DateTime_t2400840837 ___MaxValue_2;
// System.DateTime System.DateTime::MinValue
DateTime_t2400840837 ___MinValue_3;
// System.String[] System.DateTime::ParseTimeFormats
StringU5BU5D_t623663148* ___ParseTimeFormats_4;
// System.String[] System.DateTime::ParseYearDayMonthFormats
StringU5BU5D_t623663148* ___ParseYearDayMonthFormats_5;
// System.String[] System.DateTime::ParseYearMonthDayFormats
StringU5BU5D_t623663148* ___ParseYearMonthDayFormats_6;
// System.String[] System.DateTime::ParseDayMonthYearFormats
StringU5BU5D_t623663148* ___ParseDayMonthYearFormats_7;
// System.String[] System.DateTime::ParseMonthDayYearFormats
StringU5BU5D_t623663148* ___ParseMonthDayYearFormats_8;
// System.String[] System.DateTime::MonthDayShortFormats
StringU5BU5D_t623663148* ___MonthDayShortFormats_9;
// System.String[] System.DateTime::DayMonthShortFormats
StringU5BU5D_t623663148* ___DayMonthShortFormats_10;
// System.Int32[] System.DateTime::daysmonth
Int32U5BU5D_t246198214* ___daysmonth_11;
// System.Int32[] System.DateTime::daysmonthleap
Int32U5BU5D_t246198214* ___daysmonthleap_12;
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
// System.Object System.DateTime::to_local_time_span_object
RuntimeObject * ___to_local_time_span_object_13;
// System.Int64 System.DateTime::last_now
int64_t ___last_now_14;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_MaxValue_2() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___MaxValue_2)); }
inline DateTime_t2564313322 get_MaxValue_2() const { return ___MaxValue_2; }
inline DateTime_t2564313322 * get_address_of_MaxValue_2() { return &___MaxValue_2; }
inline void set_MaxValue_2(DateTime_t2564313322 value)
=======
inline static int32_t get_offset_of_MaxValue_2() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___MaxValue_2)); }
inline DateTime_t2400840837 get_MaxValue_2() const { return ___MaxValue_2; }
inline DateTime_t2400840837 * get_address_of_MaxValue_2() { return &___MaxValue_2; }
inline void set_MaxValue_2(DateTime_t2400840837 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MaxValue_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MinValue_3() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___MinValue_3)); }
inline DateTime_t2564313322 get_MinValue_3() const { return ___MinValue_3; }
inline DateTime_t2564313322 * get_address_of_MinValue_3() { return &___MinValue_3; }
inline void set_MinValue_3(DateTime_t2564313322 value)
=======
inline static int32_t get_offset_of_MinValue_3() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___MinValue_3)); }
inline DateTime_t2400840837 get_MinValue_3() const { return ___MinValue_3; }
inline DateTime_t2400840837 * get_address_of_MinValue_3() { return &___MinValue_3; }
inline void set_MinValue_3(DateTime_t2400840837 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MinValue_3 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ParseTimeFormats_4() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___ParseTimeFormats_4)); }
inline StringU5BU5D_t684622533* get_ParseTimeFormats_4() const { return ___ParseTimeFormats_4; }
inline StringU5BU5D_t684622533** get_address_of_ParseTimeFormats_4() { return &___ParseTimeFormats_4; }
inline void set_ParseTimeFormats_4(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_ParseTimeFormats_4() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___ParseTimeFormats_4)); }
inline StringU5BU5D_t623663148* get_ParseTimeFormats_4() const { return ___ParseTimeFormats_4; }
inline StringU5BU5D_t623663148** get_address_of_ParseTimeFormats_4() { return &___ParseTimeFormats_4; }
inline void set_ParseTimeFormats_4(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ParseTimeFormats_4 = value;
Il2CppCodeGenWriteBarrier((&___ParseTimeFormats_4), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ParseYearDayMonthFormats_5() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___ParseYearDayMonthFormats_5)); }
inline StringU5BU5D_t684622533* get_ParseYearDayMonthFormats_5() const { return ___ParseYearDayMonthFormats_5; }
inline StringU5BU5D_t684622533** get_address_of_ParseYearDayMonthFormats_5() { return &___ParseYearDayMonthFormats_5; }
inline void set_ParseYearDayMonthFormats_5(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_ParseYearDayMonthFormats_5() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___ParseYearDayMonthFormats_5)); }
inline StringU5BU5D_t623663148* get_ParseYearDayMonthFormats_5() const { return ___ParseYearDayMonthFormats_5; }
inline StringU5BU5D_t623663148** get_address_of_ParseYearDayMonthFormats_5() { return &___ParseYearDayMonthFormats_5; }
inline void set_ParseYearDayMonthFormats_5(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ParseYearDayMonthFormats_5 = value;
Il2CppCodeGenWriteBarrier((&___ParseYearDayMonthFormats_5), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ParseYearMonthDayFormats_6() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___ParseYearMonthDayFormats_6)); }
inline StringU5BU5D_t684622533* get_ParseYearMonthDayFormats_6() const { return ___ParseYearMonthDayFormats_6; }
inline StringU5BU5D_t684622533** get_address_of_ParseYearMonthDayFormats_6() { return &___ParseYearMonthDayFormats_6; }
inline void set_ParseYearMonthDayFormats_6(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_ParseYearMonthDayFormats_6() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___ParseYearMonthDayFormats_6)); }
inline StringU5BU5D_t623663148* get_ParseYearMonthDayFormats_6() const { return ___ParseYearMonthDayFormats_6; }
inline StringU5BU5D_t623663148** get_address_of_ParseYearMonthDayFormats_6() { return &___ParseYearMonthDayFormats_6; }
inline void set_ParseYearMonthDayFormats_6(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ParseYearMonthDayFormats_6 = value;
Il2CppCodeGenWriteBarrier((&___ParseYearMonthDayFormats_6), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ParseDayMonthYearFormats_7() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___ParseDayMonthYearFormats_7)); }
inline StringU5BU5D_t684622533* get_ParseDayMonthYearFormats_7() const { return ___ParseDayMonthYearFormats_7; }
inline StringU5BU5D_t684622533** get_address_of_ParseDayMonthYearFormats_7() { return &___ParseDayMonthYearFormats_7; }
inline void set_ParseDayMonthYearFormats_7(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_ParseDayMonthYearFormats_7() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___ParseDayMonthYearFormats_7)); }
inline StringU5BU5D_t623663148* get_ParseDayMonthYearFormats_7() const { return ___ParseDayMonthYearFormats_7; }
inline StringU5BU5D_t623663148** get_address_of_ParseDayMonthYearFormats_7() { return &___ParseDayMonthYearFormats_7; }
inline void set_ParseDayMonthYearFormats_7(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ParseDayMonthYearFormats_7 = value;
Il2CppCodeGenWriteBarrier((&___ParseDayMonthYearFormats_7), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_ParseMonthDayYearFormats_8() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___ParseMonthDayYearFormats_8)); }
inline StringU5BU5D_t684622533* get_ParseMonthDayYearFormats_8() const { return ___ParseMonthDayYearFormats_8; }
inline StringU5BU5D_t684622533** get_address_of_ParseMonthDayYearFormats_8() { return &___ParseMonthDayYearFormats_8; }
inline void set_ParseMonthDayYearFormats_8(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_ParseMonthDayYearFormats_8() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___ParseMonthDayYearFormats_8)); }
inline StringU5BU5D_t623663148* get_ParseMonthDayYearFormats_8() const { return ___ParseMonthDayYearFormats_8; }
inline StringU5BU5D_t623663148** get_address_of_ParseMonthDayYearFormats_8() { return &___ParseMonthDayYearFormats_8; }
inline void set_ParseMonthDayYearFormats_8(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___ParseMonthDayYearFormats_8 = value;
Il2CppCodeGenWriteBarrier((&___ParseMonthDayYearFormats_8), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MonthDayShortFormats_9() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___MonthDayShortFormats_9)); }
inline StringU5BU5D_t684622533* get_MonthDayShortFormats_9() const { return ___MonthDayShortFormats_9; }
inline StringU5BU5D_t684622533** get_address_of_MonthDayShortFormats_9() { return &___MonthDayShortFormats_9; }
inline void set_MonthDayShortFormats_9(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_MonthDayShortFormats_9() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___MonthDayShortFormats_9)); }
inline StringU5BU5D_t623663148* get_MonthDayShortFormats_9() const { return ___MonthDayShortFormats_9; }
inline StringU5BU5D_t623663148** get_address_of_MonthDayShortFormats_9() { return &___MonthDayShortFormats_9; }
inline void set_MonthDayShortFormats_9(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MonthDayShortFormats_9 = value;
Il2CppCodeGenWriteBarrier((&___MonthDayShortFormats_9), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_DayMonthShortFormats_10() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___DayMonthShortFormats_10)); }
inline StringU5BU5D_t684622533* get_DayMonthShortFormats_10() const { return ___DayMonthShortFormats_10; }
inline StringU5BU5D_t684622533** get_address_of_DayMonthShortFormats_10() { return &___DayMonthShortFormats_10; }
inline void set_DayMonthShortFormats_10(StringU5BU5D_t684622533* value)
=======
inline static int32_t get_offset_of_DayMonthShortFormats_10() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___DayMonthShortFormats_10)); }
inline StringU5BU5D_t623663148* get_DayMonthShortFormats_10() const { return ___DayMonthShortFormats_10; }
inline StringU5BU5D_t623663148** get_address_of_DayMonthShortFormats_10() { return &___DayMonthShortFormats_10; }
inline void set_DayMonthShortFormats_10(StringU5BU5D_t623663148* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___DayMonthShortFormats_10 = value;
Il2CppCodeGenWriteBarrier((&___DayMonthShortFormats_10), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_daysmonth_11() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___daysmonth_11)); }
inline Int32U5BU5D_t2267711769* get_daysmonth_11() const { return ___daysmonth_11; }
inline Int32U5BU5D_t2267711769** get_address_of_daysmonth_11() { return &___daysmonth_11; }
inline void set_daysmonth_11(Int32U5BU5D_t2267711769* value)
=======
inline static int32_t get_offset_of_daysmonth_11() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___daysmonth_11)); }
inline Int32U5BU5D_t246198214* get_daysmonth_11() const { return ___daysmonth_11; }
inline Int32U5BU5D_t246198214** get_address_of_daysmonth_11() { return &___daysmonth_11; }
inline void set_daysmonth_11(Int32U5BU5D_t246198214* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___daysmonth_11 = value;
Il2CppCodeGenWriteBarrier((&___daysmonth_11), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_daysmonthleap_12() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___daysmonthleap_12)); }
inline Int32U5BU5D_t2267711769* get_daysmonthleap_12() const { return ___daysmonthleap_12; }
inline Int32U5BU5D_t2267711769** get_address_of_daysmonthleap_12() { return &___daysmonthleap_12; }
inline void set_daysmonthleap_12(Int32U5BU5D_t2267711769* value)
=======
inline static int32_t get_offset_of_daysmonthleap_12() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___daysmonthleap_12)); }
inline Int32U5BU5D_t246198214* get_daysmonthleap_12() const { return ___daysmonthleap_12; }
inline Int32U5BU5D_t246198214** get_address_of_daysmonthleap_12() { return &___daysmonthleap_12; }
inline void set_daysmonthleap_12(Int32U5BU5D_t246198214* value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___daysmonthleap_12 = value;
Il2CppCodeGenWriteBarrier((&___daysmonthleap_12), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_to_local_time_span_object_13() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___to_local_time_span_object_13)); }
=======
inline static int32_t get_offset_of_to_local_time_span_object_13() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___to_local_time_span_object_13)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline RuntimeObject * get_to_local_time_span_object_13() const { return ___to_local_time_span_object_13; }
inline RuntimeObject ** get_address_of_to_local_time_span_object_13() { return &___to_local_time_span_object_13; }
inline void set_to_local_time_span_object_13(RuntimeObject * value)
{
___to_local_time_span_object_13 = value;
Il2CppCodeGenWriteBarrier((&___to_local_time_span_object_13), value);
}
<<<<<<< HEAD
inline static int32_t get_offset_of_last_now_14() { return static_cast<int32_t>(offsetof(DateTime_t2564313322_StaticFields, ___last_now_14)); }
=======
inline static int32_t get_offset_of_last_now_14() { return static_cast<int32_t>(offsetof(DateTime_t2400840837_StaticFields, ___last_now_14)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int64_t get_last_now_14() const { return ___last_now_14; }
inline int64_t* get_address_of_last_now_14() { return &___last_now_14; }
inline void set_last_now_14(int64_t value)
{
___last_now_14 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // DATETIME_T2564313322_H
#ifndef PROFILECOLLECTION_T1785325161_H
#define PROFILECOLLECTION_T1785325161_H
=======
#endif // DATETIME_T2400840837_H
#ifndef PROFILECOLLECTION_T4111147659_H
#define PROFILECOLLECTION_T4111147659_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.WebCamProfile/ProfileCollection
<<<<<<< HEAD
struct ProfileCollection_t1785325161
{
public:
// Vuforia.WebCamProfile/ProfileData Vuforia.WebCamProfile/ProfileCollection::DefaultProfile
ProfileData_t2623442414 ___DefaultProfile_0;
// System.Collections.Generic.Dictionary`2<System.String,Vuforia.WebCamProfile/ProfileData> Vuforia.WebCamProfile/ProfileCollection::Profiles
Dictionary_2_t3909128864 * ___Profiles_1;
public:
inline static int32_t get_offset_of_DefaultProfile_0() { return static_cast<int32_t>(offsetof(ProfileCollection_t1785325161, ___DefaultProfile_0)); }
inline ProfileData_t2623442414 get_DefaultProfile_0() const { return ___DefaultProfile_0; }
inline ProfileData_t2623442414 * get_address_of_DefaultProfile_0() { return &___DefaultProfile_0; }
inline void set_DefaultProfile_0(ProfileData_t2623442414 value)
=======
struct ProfileCollection_t4111147659
{
public:
// Vuforia.WebCamProfile/ProfileData Vuforia.WebCamProfile/ProfileCollection::DefaultProfile
ProfileData_t765082300 ___DefaultProfile_0;
// System.Collections.Generic.Dictionary`2<System.String,Vuforia.WebCamProfile/ProfileData> Vuforia.WebCamProfile/ProfileCollection::Profiles
Dictionary_2_t2863098905 * ___Profiles_1;
public:
inline static int32_t get_offset_of_DefaultProfile_0() { return static_cast<int32_t>(offsetof(ProfileCollection_t4111147659, ___DefaultProfile_0)); }
inline ProfileData_t765082300 get_DefaultProfile_0() const { return ___DefaultProfile_0; }
inline ProfileData_t765082300 * get_address_of_DefaultProfile_0() { return &___DefaultProfile_0; }
inline void set_DefaultProfile_0(ProfileData_t765082300 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___DefaultProfile_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Profiles_1() { return static_cast<int32_t>(offsetof(ProfileCollection_t1785325161, ___Profiles_1)); }
inline Dictionary_2_t3909128864 * get_Profiles_1() const { return ___Profiles_1; }
inline Dictionary_2_t3909128864 ** get_address_of_Profiles_1() { return &___Profiles_1; }
inline void set_Profiles_1(Dictionary_2_t3909128864 * value)
=======
inline static int32_t get_offset_of_Profiles_1() { return static_cast<int32_t>(offsetof(ProfileCollection_t4111147659, ___Profiles_1)); }
inline Dictionary_2_t2863098905 * get_Profiles_1() const { return ___Profiles_1; }
inline Dictionary_2_t2863098905 ** get_address_of_Profiles_1() { return &___Profiles_1; }
inline void set_Profiles_1(Dictionary_2_t2863098905 * value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___Profiles_1 = value;
Il2CppCodeGenWriteBarrier((&___Profiles_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Vuforia.WebCamProfile/ProfileCollection
<<<<<<< HEAD
struct ProfileCollection_t1785325161_marshaled_pinvoke
{
ProfileData_t2623442414 ___DefaultProfile_0;
Dictionary_2_t3909128864 * ___Profiles_1;
};
// Native definition for COM marshalling of Vuforia.WebCamProfile/ProfileCollection
struct ProfileCollection_t1785325161_marshaled_com
{
ProfileData_t2623442414 ___DefaultProfile_0;
Dictionary_2_t3909128864 * ___Profiles_1;
};
#endif // PROFILECOLLECTION_T1785325161_H
#ifndef CAMERAFIELD_T4209176005_H
#define CAMERAFIELD_T4209176005_H
=======
struct ProfileCollection_t4111147659_marshaled_pinvoke
{
ProfileData_t765082300 ___DefaultProfile_0;
Dictionary_2_t2863098905 * ___Profiles_1;
};
// Native definition for COM marshalling of Vuforia.WebCamProfile/ProfileCollection
struct ProfileCollection_t4111147659_marshaled_com
{
ProfileData_t765082300 ___DefaultProfile_0;
Dictionary_2_t2863098905 * ___Profiles_1;
};
#endif // PROFILECOLLECTION_T4111147659_H
#ifndef CAMERAFIELD_T1906166272_H
#define CAMERAFIELD_T1906166272_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// Vuforia.CameraDevice/CameraField
<<<<<<< HEAD
struct CameraField_t4209176005
=======
struct CameraField_t1906166272
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
public:
// Vuforia.CameraDevice/CameraField/DataType Vuforia.CameraDevice/CameraField::Type
int32_t ___Type_0;
// System.String Vuforia.CameraDevice/CameraField::Key
String_t* ___Key_1;
public:
<<<<<<< HEAD
inline static int32_t get_offset_of_Type_0() { return static_cast<int32_t>(offsetof(CameraField_t4209176005, ___Type_0)); }
=======
inline static int32_t get_offset_of_Type_0() { return static_cast<int32_t>(offsetof(CameraField_t1906166272, ___Type_0)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline int32_t get_Type_0() const { return ___Type_0; }
inline int32_t* get_address_of_Type_0() { return &___Type_0; }
inline void set_Type_0(int32_t value)
{
___Type_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_Key_1() { return static_cast<int32_t>(offsetof(CameraField_t4209176005, ___Key_1)); }
=======
inline static int32_t get_offset_of_Key_1() { return static_cast<int32_t>(offsetof(CameraField_t1906166272, ___Key_1)); }
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
inline String_t* get_Key_1() const { return ___Key_1; }
inline String_t** get_address_of_Key_1() { return &___Key_1; }
inline void set_Key_1(String_t* value)
{
___Key_1 = value;
Il2CppCodeGenWriteBarrier((&___Key_1), value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
// Native definition for P/Invoke marshalling of Vuforia.CameraDevice/CameraField
<<<<<<< HEAD
struct CameraField_t4209176005_marshaled_pinvoke
=======
struct CameraField_t1906166272_marshaled_pinvoke
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___Type_0;
char* ___Key_1;
};
// Native definition for COM marshalling of Vuforia.CameraDevice/CameraField
<<<<<<< HEAD
struct CameraField_t4209176005_marshaled_com
=======
struct CameraField_t1906166272_marshaled_com
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
int32_t ___Type_0;
Il2CppChar* ___Key_1;
};
<<<<<<< HEAD
#endif // CAMERAFIELD_T4209176005_H
#ifndef DATETIMEOFFSET_T2512863039_H
#define DATETIMEOFFSET_T2512863039_H
=======
#endif // CAMERAFIELD_T1906166272_H
#ifndef DATETIMEOFFSET_T911093238_H
#define DATETIMEOFFSET_T911093238_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// System.DateTimeOffset
<<<<<<< HEAD
struct DateTimeOffset_t2512863039
{
public:
// System.DateTime System.DateTimeOffset::dt
DateTime_t2564313322 ___dt_2;
// System.TimeSpan System.DateTimeOffset::utc_offset
TimeSpan_t2155380954 ___utc_offset_3;
public:
inline static int32_t get_offset_of_dt_2() { return static_cast<int32_t>(offsetof(DateTimeOffset_t2512863039, ___dt_2)); }
inline DateTime_t2564313322 get_dt_2() const { return ___dt_2; }
inline DateTime_t2564313322 * get_address_of_dt_2() { return &___dt_2; }
inline void set_dt_2(DateTime_t2564313322 value)
=======
struct DateTimeOffset_t911093238
{
public:
// System.DateTime System.DateTimeOffset::dt
DateTime_t2400840837 ___dt_2;
// System.TimeSpan System.DateTimeOffset::utc_offset
TimeSpan_t4245672980 ___utc_offset_3;
public:
inline static int32_t get_offset_of_dt_2() { return static_cast<int32_t>(offsetof(DateTimeOffset_t911093238, ___dt_2)); }
inline DateTime_t2400840837 get_dt_2() const { return ___dt_2; }
inline DateTime_t2400840837 * get_address_of_dt_2() { return &___dt_2; }
inline void set_dt_2(DateTime_t2400840837 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___dt_2 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_utc_offset_3() { return static_cast<int32_t>(offsetof(DateTimeOffset_t2512863039, ___utc_offset_3)); }
inline TimeSpan_t2155380954 get_utc_offset_3() const { return ___utc_offset_3; }
inline TimeSpan_t2155380954 * get_address_of_utc_offset_3() { return &___utc_offset_3; }
inline void set_utc_offset_3(TimeSpan_t2155380954 value)
=======
inline static int32_t get_offset_of_utc_offset_3() { return static_cast<int32_t>(offsetof(DateTimeOffset_t911093238, ___utc_offset_3)); }
inline TimeSpan_t4245672980 get_utc_offset_3() const { return ___utc_offset_3; }
inline TimeSpan_t4245672980 * get_address_of_utc_offset_3() { return &___utc_offset_3; }
inline void set_utc_offset_3(TimeSpan_t4245672980 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___utc_offset_3 = value;
}
};
<<<<<<< HEAD
struct DateTimeOffset_t2512863039_StaticFields
{
public:
// System.DateTimeOffset System.DateTimeOffset::MaxValue
DateTimeOffset_t2512863039 ___MaxValue_0;
// System.DateTimeOffset System.DateTimeOffset::MinValue
DateTimeOffset_t2512863039 ___MinValue_1;
public:
inline static int32_t get_offset_of_MaxValue_0() { return static_cast<int32_t>(offsetof(DateTimeOffset_t2512863039_StaticFields, ___MaxValue_0)); }
inline DateTimeOffset_t2512863039 get_MaxValue_0() const { return ___MaxValue_0; }
inline DateTimeOffset_t2512863039 * get_address_of_MaxValue_0() { return &___MaxValue_0; }
inline void set_MaxValue_0(DateTimeOffset_t2512863039 value)
=======
struct DateTimeOffset_t911093238_StaticFields
{
public:
// System.DateTimeOffset System.DateTimeOffset::MaxValue
DateTimeOffset_t911093238 ___MaxValue_0;
// System.DateTimeOffset System.DateTimeOffset::MinValue
DateTimeOffset_t911093238 ___MinValue_1;
public:
inline static int32_t get_offset_of_MaxValue_0() { return static_cast<int32_t>(offsetof(DateTimeOffset_t911093238_StaticFields, ___MaxValue_0)); }
inline DateTimeOffset_t911093238 get_MaxValue_0() const { return ___MaxValue_0; }
inline DateTimeOffset_t911093238 * get_address_of_MaxValue_0() { return &___MaxValue_0; }
inline void set_MaxValue_0(DateTimeOffset_t911093238 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MaxValue_0 = value;
}
<<<<<<< HEAD
inline static int32_t get_offset_of_MinValue_1() { return static_cast<int32_t>(offsetof(DateTimeOffset_t2512863039_StaticFields, ___MinValue_1)); }
inline DateTimeOffset_t2512863039 get_MinValue_1() const { return ___MinValue_1; }
inline DateTimeOffset_t2512863039 * get_address_of_MinValue_1() { return &___MinValue_1; }
inline void set_MinValue_1(DateTimeOffset_t2512863039 value)
=======
inline static int32_t get_offset_of_MinValue_1() { return static_cast<int32_t>(offsetof(DateTimeOffset_t911093238_StaticFields, ___MinValue_1)); }
inline DateTimeOffset_t911093238 get_MinValue_1() const { return ___MinValue_1; }
inline DateTimeOffset_t911093238 * get_address_of_MinValue_1() { return &___MinValue_1; }
inline void set_MinValue_1(DateTimeOffset_t911093238 value)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
___MinValue_1 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
<<<<<<< HEAD
#endif // DATETIMEOFFSET_T2512863039_H
=======
#endif // DATETIMEOFFSET_T911093238_H
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
static int32_t UnresolvedVirtualCall_0 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_1 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_2 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_3 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_4 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int16_t UnresolvedVirtualCall_5 (RuntimeObject * __this, int16_t ___Int161, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_6 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_7 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_8 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_9 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_10 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_11 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, RuntimeObject * ___Object4, int32_t ___Int325, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_12 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RSAParameters_t2907356283 UnresolvedVirtualCall_13 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
=======
static RSAParameters_t734515625 UnresolvedVirtualCall_13 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_14 (RuntimeObject * __this, RSAParameters_t2907356283 ___RSAParameters1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_14 (RuntimeObject * __this, RSAParameters_t734515625 ___RSAParameters1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_15 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_16 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_17 (RuntimeObject * __this, DSAParameters_t2770665622 ___DSAParameters1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_17 (RuntimeObject * __this, DSAParameters_t1020338899 ___DSAParameters1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_18 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static DSAParameters_t2770665622 UnresolvedVirtualCall_19 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
=======
static DSAParameters_t1020338899 UnresolvedVirtualCall_19 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_20 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_21 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, RuntimeObject * ___Object3, RuntimeObject * ___Object4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_22 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, RuntimeObject * ___Object4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_23 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_24 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_25 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_26 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_27 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_28 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, int32_t ___Int323, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_29 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_30 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_31 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static DictionaryEntry_t3723768861 UnresolvedVirtualCall_32 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static DictionaryEntry_t2397553133 UnresolvedVirtualCall_32 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint8_t UnresolvedVirtualCall_33 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int16_t UnresolvedVirtualCall_34 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static DateTime_t2564313322 UnresolvedVirtualCall_35 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
=======
static DateTime_t2400840837 UnresolvedVirtualCall_35 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Decimal_t759910961 UnresolvedVirtualCall_36 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
=======
static Decimal_t156707022 UnresolvedVirtualCall_36 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static double UnresolvedVirtualCall_37 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int64_t UnresolvedVirtualCall_38 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_39 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint16_t UnresolvedVirtualCall_40 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint32_t UnresolvedVirtualCall_41 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint64_t UnresolvedVirtualCall_42 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_43 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_44 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_45 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_45 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static DateTime_t2564313322 UnresolvedVirtualCall_46 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, const RuntimeMethod* method)
=======
static DateTime_t2400840837 UnresolvedVirtualCall_46 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static TimeSpan_t2155380954 UnresolvedVirtualCall_47 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, const RuntimeMethod* method)
=======
static TimeSpan_t4245672980 UnresolvedVirtualCall_47 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_48 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_48 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_49 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, int32_t ___Int324, int32_t ___Int325, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_50 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, RuntimeObject * ___Object4, int32_t ___Int325, int32_t ___Int326, int32_t ___Int327, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint8_t UnresolvedVirtualCall_51 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int64_t UnresolvedVirtualCall_52 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int64_t UnresolvedVirtualCall_53 (RuntimeObject * __this, int64_t ___Int641, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_54 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, RuntimeObject * ___Object4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_55 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_56 (RuntimeObject * __this, int64_t ___Int641, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_57 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_58 (RuntimeObject * __this, int16_t ___Int161, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_59 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_60 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_61 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, RuntimeObject * ___Object3, RuntimeObject * ___Object4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_62 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, RuntimeObject * ___Object3, RuntimeObject * ___Object4, RuntimeObject * ___Object5, RuntimeObject * ___Object6, RuntimeObject * ___Object7, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_63 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CustomAttributeTypedArgument_t2155045506 UnresolvedVirtualCall_64 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static CustomAttributeTypedArgument_t2153600122 UnresolvedVirtualCall_64 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CustomAttributeNamedArgument_t1231707366 UnresolvedVirtualCall_65 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static CustomAttributeNamedArgument_t1185474274 UnresolvedVirtualCall_65 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_66 (RuntimeObject * __this, OpCode_t496655696 ___OpCode1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_66 (RuntimeObject * __this, OpCode_t3142126508 ___OpCode1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_67 (RuntimeObject * __this, OpCode_t496655696 ___OpCode1, RuntimeObject * ___Object2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_67 (RuntimeObject * __this, OpCode_t3142126508 ___OpCode1, RuntimeObject * ___Object2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_68 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, RuntimeObject * ___Object4, RuntimeObject * ___Object5, RuntimeObject * ___Object6, RuntimeObject * ___Object7, RuntimeObject * ___Object8, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeTypeHandle_t1092377203 UnresolvedVirtualCall_69 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static RuntimeTypeHandle_t1215915167 UnresolvedVirtualCall_69 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_70 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, RuntimeObject * ___Object4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_71 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, RuntimeObject * ___Object4, RuntimeObject * ___Object5, RuntimeObject * ___Object6, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint16_t UnresolvedVirtualCall_72 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int16_t UnresolvedVirtualCall_73 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint32_t UnresolvedVirtualCall_74 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static uint64_t UnresolvedVirtualCall_75 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_76 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static double UnresolvedVirtualCall_77 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Decimal_t759910961 UnresolvedVirtualCall_78 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Decimal_t156707022 UnresolvedVirtualCall_78 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_79 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_80 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, int8_t ___SByte3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeObject * UnresolvedVirtualCall_81 (RuntimeObject * __this, RuntimeObject * ___Object1, StreamingContext_t1466031978 ___StreamingContext2, RuntimeObject * ___Object3, const RuntimeMethod* method)
=======
static RuntimeObject * UnresolvedVirtualCall_81 (RuntimeObject * __this, RuntimeObject * ___Object1, StreamingContext_t1950592103 ___StreamingContext2, RuntimeObject * ___Object3, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_82 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, RuntimeObject * ___Object4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_83 (RuntimeObject * __this, int64_t ___Int641, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeObject * UnresolvedVirtualCall_84 (RuntimeObject * __this, StreamingContext_t1466031978 ___StreamingContext1, const RuntimeMethod* method)
=======
static RuntimeObject * UnresolvedVirtualCall_84 (RuntimeObject * __this, StreamingContext_t1950592103 ___StreamingContext1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_85 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_86 (RuntimeObject * __this, int64_t ___Int641, RuntimeObject * ___Object2, int64_t ___Int643, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_87 (RuntimeObject * __this, int64_t ___Int641, int32_t ___Int322, int64_t ___Int643, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeObject * UnresolvedVirtualCall_88 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, StreamingContext_t1466031978 ___StreamingContext3, RuntimeObject * ___Object4, const RuntimeMethod* method)
=======
static RuntimeObject * UnresolvedVirtualCall_88 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, StreamingContext_t1950592103 ___StreamingContext3, RuntimeObject * ___Object4, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeFieldHandle_t2622547393 UnresolvedVirtualCall_89 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static RuntimeFieldHandle_t2469218107 UnresolvedVirtualCall_89 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeMethodHandle_t2858734809 UnresolvedVirtualCall_90 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static RuntimeMethodHandle_t1062522740 UnresolvedVirtualCall_90 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_91 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static DateTime_t2564313322 UnresolvedVirtualCall_92 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static DateTime_t2400840837 UnresolvedVirtualCall_92 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_93 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_94 (RuntimeObject * __this, int16_t ___Int161, int16_t ___Int162, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_95 (RuntimeObject * __this, int16_t ___Int161, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_96 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_97 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_98 (RuntimeObject * __this, IntPtr_t ___IntPtr1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_99 (RuntimeObject * __this, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_100 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, int32_t ___Int324, RuntimeObject * ___Object5, RuntimeObject * ___Object6, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_101 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, RuntimeObject * ___Object4, RuntimeObject * ___Object5, RuntimeObject * ___Object6, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_102 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, int32_t ___Int323, RuntimeObject * ___Object4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_103 (RuntimeObject * __this, RuntimeObject * ___Object1, StreamingContext_t1466031978 ___StreamingContext2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_103 (RuntimeObject * __this, RuntimeObject * ___Object1, StreamingContext_t1950592103 ___StreamingContext2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_104 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, int32_t ___Int323, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_105 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_106 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int8_t ___SByte3, RuntimeObject * ___Object4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_107 (RuntimeObject * __this, int16_t ___Int161, RuntimeObject * ___Object2, int8_t ___SByte3, int8_t ___SByte4, int8_t ___SByte5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_108 (RuntimeObject * __this, int16_t ___Int161, int8_t ___SByte2, int8_t ___SByte3, int8_t ___SByte4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_109 (RuntimeObject * __this, int16_t ___Int161, int16_t ___Int162, int8_t ___SByte3, int8_t ___SByte4, int8_t ___SByte5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_110 (RuntimeObject * __this, uint16_t ___UInt161, int8_t ___SByte2, int8_t ___SByte3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_111 (RuntimeObject * __this, uint16_t ___UInt161, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_112 (RuntimeObject * __this, int32_t ___Int321, int8_t ___SByte2, int8_t ___SByte3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_113 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_114 (RuntimeObject * __this, int8_t ___SByte1, int32_t ___Int322, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_115 (RuntimeObject * __this, uint8_t ___Byte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_116 (RuntimeObject * __this, RuntimeObject * ___Object1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_117 (RuntimeObject * __this, uint8_t ___Byte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_118 (RuntimeObject * __this, uint8_t ___Byte1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_119 (RuntimeObject * __this, int32_t ___Int321, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static KeyValuePair_2_t2963214971 UnresolvedVirtualCall_120 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static KeyValuePair_2_t2579694602 UnresolvedVirtualCall_120 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_121 (RuntimeObject * __this, int32_t ___Int321, RuntimeObject * ___Object2, RuntimeObject * ___Object3, RuntimeObject * ___Object4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_122 (RuntimeObject * __this, ScriptableRenderContext_t190626848 ___ScriptableRenderContext1, RuntimeObject * ___Object2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_122 (RuntimeObject * __this, ScriptableRenderContext_t2042595049 ___ScriptableRenderContext1, RuntimeObject * ___Object2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_123 (RuntimeObject * __this, float ___Single1, float ___Single2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Playable_t4206032819 UnresolvedVirtualCall_124 (RuntimeObject * __this, PlayableGraph_t1905787527 ___PlayableGraph1, RuntimeObject * ___Object2, const RuntimeMethod* method)
=======
static Playable_t2999778318 UnresolvedVirtualCall_124 (RuntimeObject * __this, PlayableGraph_t535496197 ___PlayableGraph1, RuntimeObject * ___Object2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Range_t3097047263 UnresolvedVirtualCall_125 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Range_t1492772395 UnresolvedVirtualCall_125 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_126 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector2_t2800108189 UnresolvedVirtualCall_127 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Vector2_t2738738669 UnresolvedVirtualCall_127 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Touch_t645821920 UnresolvedVirtualCall_128 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static Touch_t3660328340 UnresolvedVirtualCall_128 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static RuntimeObject * UnresolvedVirtualCall_129 (RuntimeObject * __this, float ___Single1, float ___Single2, float ___Single3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_130 (RuntimeObject * __this, int32_t ___Int321, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_131 (RuntimeObject * __this, Color_t3681113374 ___Color1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_131 (RuntimeObject * __this, Color_t3957905422 ___Color1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Color_t3681113374 UnresolvedVirtualCall_132 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Color_t3957905422 UnresolvedVirtualCall_132 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_133 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, RuntimeObject * ___Object2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_133 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, RuntimeObject * ___Object2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_134 (RuntimeObject * __this, Color_t3681113374 ___Color1, float ___Single2, int8_t ___SByte3, int8_t ___SByte4, int8_t ___SByte5, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_134 (RuntimeObject * __this, Color_t3957905422 ___Color1, float ___Single2, int8_t ___SByte3, int8_t ___SByte4, int8_t ___SByte5, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UILineInfo_t2032526008 UnresolvedVirtualCall_135 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static UILineInfo_t2929281301 UnresolvedVirtualCall_135 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UICharInfo_t3034348004 UnresolvedVirtualCall_136 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static UICharInfo_t824730085 UnresolvedVirtualCall_136 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_137 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_137 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_138 (RuntimeObject * __this, Rect_t3168234822 ___Rect1, int8_t ___SByte2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_138 (RuntimeObject * __this, Rect_t531896660 ___Rect1, int8_t ___SByte2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_139 (RuntimeObject * __this, float ___Single1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_140 (RuntimeObject * __this, Color_t3681113374 ___Color1, float ___Single2, int8_t ___SByte3, int8_t ___SByte4, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_140 (RuntimeObject * __this, Color_t3957905422 ___Color1, float ___Single2, int8_t ___SByte3, int8_t ___SByte4, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_141 (RuntimeObject * __this, float ___Single1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_142 (RuntimeObject * __this, float ___Single1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UIVertex_t3583803796 UnresolvedVirtualCall_143 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static UIVertex_t2143797191 UnresolvedVirtualCall_143 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_144 (RuntimeObject * __this, float ___Single1, float ___Single2, int8_t ___SByte3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VideoTextureInfo_t3148615337 UnresolvedVirtualCall_145 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static VideoTextureInfo_t163146950 UnresolvedVirtualCall_145 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VideoBGCfgData_t1073606505 UnresolvedVirtualCall_146 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static VideoBGCfgData_t2169547056 UnresolvedVirtualCall_146 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VideoModeData_t1335665951 UnresolvedVirtualCall_147 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static VideoModeData_t1955614098 UnresolvedVirtualCall_147 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VideoModeData_t1335665951 UnresolvedVirtualCall_148 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static VideoModeData_t1955614098 UnresolvedVirtualCall_148 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_149 (RuntimeObject * __this, int32_t ___Int321, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_150 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_151 (RuntimeObject * __this, IntPtr_t ___IntPtr1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_152 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_153 (RuntimeObject * __this, RuntimeObject * ___Object1, int64_t ___Int642, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_154 (RuntimeObject * __this, RuntimeObject * ___Object1, float ___Single2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_155 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_156 (RuntimeObject * __this, RuntimeObject * ___Object1, int64_t ___Int642, int64_t ___Int643, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_157 (RuntimeObject * __this, RuntimeObject * ___Object1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vec2I_t1467848268 UnresolvedVirtualCall_158 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Vec2I_t4096930705 UnresolvedVirtualCall_158 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_159 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static TargetSearchResult_t3922765545 UnresolvedVirtualCall_160 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static TargetSearchResult_t767815937 UnresolvedVirtualCall_160 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_161 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_161 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_162 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_163 (RuntimeObject * __this, float ___Single1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_164 (RuntimeObject * __this, IntPtr_t ___IntPtr1, float ___Single2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_165 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_166 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_167 (RuntimeObject * __this, RuntimeObject * ___Object1, Vector3_t3312927470 ___Vector32, Vector3_t3312927470 ___Vector33, Vector3_t3312927470 ___Vector34, Quaternion_t1878978572 ___Quaternion5, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_167 (RuntimeObject * __this, RuntimeObject * ___Object1, Vector3_t112967272 ___Vector32, Vector3_t112967272 ___Vector33, Vector3_t112967272 ___Vector34, Quaternion_t3908180047 ___Quaternion5, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_168 (RuntimeObject * __this, RuntimeObject * ___Object1, Vector3_t3312927470 ___Vector32, Vector3_t3312927470 ___Vector33, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_168 (RuntimeObject * __this, RuntimeObject * ___Object1, Vector3_t112967272 ___Vector32, Vector3_t112967272 ___Vector33, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_169 (RuntimeObject * __this, float ___Single1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_170 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, IntPtr_t ___IntPtr3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector3_t3312927470 UnresolvedVirtualCall_171 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Vector3_t112967272 UnresolvedVirtualCall_171 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_172 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, float ___Single3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_173 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, IntPtr_t ___IntPtr3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_174 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, RuntimeObject * ___Object3, int32_t ___Int324, IntPtr_t ___IntPtr5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_175 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_176 (RuntimeObject * __this, int32_t ___Int321, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_177 (RuntimeObject * __this, int32_t ___Int321, IntPtr_t ___IntPtr2, int32_t ___Int323, IntPtr_t ___IntPtr4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_178 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, RuntimeObject * ___Object3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_179 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_180 (RuntimeObject * __this, int8_t ___SByte1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_181 (RuntimeObject * __this, int32_t ___Int321, float ___Single2, float ___Single3, IntPtr_t ___IntPtr4, int32_t ___Int325, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_182 (RuntimeObject * __this, int32_t ___Int321, Vector3_t3312927470 ___Vector32, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_182 (RuntimeObject * __this, int32_t ___Int321, Vector3_t112967272 ___Vector32, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_183 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, Vector3_t3312927470 ___Vector32, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_183 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, Vector3_t112967272 ___Vector32, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_184 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, IntPtr_t ___IntPtr3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_185 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_186 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_187 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, IntPtr_t ___IntPtr3, IntPtr_t ___IntPtr4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_188 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_188 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_189 (RuntimeObject * __this, TrackableIdPair_t1666048011 ___TrackableIdPair1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_189 (RuntimeObject * __this, TrackableIdPair_t1976598170 ___TrackableIdPair1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_190 (RuntimeObject * __this, RuntimeObject * ___Object1, TrackableIdPair_t1666048011 ___TrackableIdPair2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_190 (RuntimeObject * __this, RuntimeObject * ___Object1, TrackableIdPair_t1976598170 ___TrackableIdPair2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_191 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeObject * UnresolvedVirtualCall_192 (RuntimeObject * __this, RuntimeObject * ___Object1, RectangleData_t119705876 ___RectangleData2, const RuntimeMethod* method)
=======
static RuntimeObject * UnresolvedVirtualCall_192 (RuntimeObject * __this, RuntimeObject * ___Object1, RectangleData_t2867461140 ___RectangleData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RectangleData_t119705876 UnresolvedVirtualCall_193 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static RectangleData_t2867461140 UnresolvedVirtualCall_193 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_194 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, IntPtr_t ___IntPtr4, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_195 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_196 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_197 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, int32_t ___Int323, IntPtr_t ___IntPtr4, RuntimeObject * ___Object5, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_198 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, int32_t ___Int323, RuntimeObject * ___Object4, int32_t ___Int325, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_199 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static OrientedBoundingBox3D_t557234761 UnresolvedVirtualCall_200 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static OrientedBoundingBox3D_t2786022182 UnresolvedVirtualCall_200 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_201 (RuntimeObject * __this, SmartTerrainInitializationInfo_t1034694908 ___SmartTerrainInitializationInfo1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_201 (RuntimeObject * __this, SmartTerrainInitializationInfo_t4278714424 ___SmartTerrainInitializationInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_202 (RuntimeObject * __this, Rect_t3168234822 ___Rect1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_202 (RuntimeObject * __this, Rect_t531896660 ___Rect1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_203 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, int32_t ___Int323, IntPtr_t ___IntPtr4, IntPtr_t ___IntPtr5, IntPtr_t ___IntPtr6, IntPtr_t ___IntPtr7, float ___Single8, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_204 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_205 (RuntimeObject * __this, float ___Single1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_206 (RuntimeObject * __this, RuntimeObject * ___Object1, int32_t ___Int322, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RuntimeObject * UnresolvedVirtualCall_207 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, RuntimeObject * ___Object2, const RuntimeMethod* method)
=======
static RuntimeObject * UnresolvedVirtualCall_207 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, RuntimeObject * ___Object2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_208 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, int32_t ___Int324, int32_t ___Int325, int32_t ___Int326, int32_t ___Int327, int32_t ___Int328, int32_t ___Int329, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_209 (RuntimeObject * __this, RuntimeObject * ___Object1, float ___Single2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_210 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int8_t UnresolvedVirtualCall_211 (RuntimeObject * __this, RuntimeObject * ___Object1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_212 (RuntimeObject * __this, IntPtr_t ___IntPtr1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_213 (RuntimeObject * __this, IntPtr_t ___IntPtr1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_214 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_215 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_216 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_217 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_218 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_219 (RuntimeObject * __this, RectangleData_t119705876 ___RectangleData1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_219 (RuntimeObject * __this, RectangleData_t2867461140 ___RectangleData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_220 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Rect_t3168234822 UnresolvedVirtualCall_221 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Rect_t531896660 UnresolvedVirtualCall_221 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_222 (RuntimeObject * __this, Matrix4x4_t3189696810 ___Matrix4x41, int8_t ___SByte2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_222 (RuntimeObject * __this, Matrix4x4_t4074725780 ___Matrix4x41, int8_t ___SByte2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_223 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, RuntimeObject * ___Object3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_224 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, IntPtr_t ___IntPtr3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_225 (RuntimeObject * __this, IntPtr_t ___IntPtr1, int32_t ___Int322, int32_t ___Int323, int32_t ___Int324, int32_t ___Int325, int32_t ___Int326, int32_t ___Int327, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static IntPtr_t UnresolvedVirtualCall_226 (RuntimeObject * __this, uint32_t ___UInt321, uint32_t ___UInt322, int32_t ___Int323, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_227 (RuntimeObject * __this, uint32_t ___UInt321, int32_t ___Int322, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_228 (RuntimeObject * __this, float ___Single1, float ___Single2, IntPtr_t ___IntPtr3, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_229 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, int32_t ___Int323, int32_t ___Int324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_230 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, RuntimeObject * ___Object3, uint32_t ___UInt324, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static int32_t UnresolvedVirtualCall_231 (RuntimeObject * __this, IntPtr_t ___IntPtr1, RuntimeObject * ___Object2, int8_t ___SByte3, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static ProfileCollection_t1785325161 UnresolvedVirtualCall_232 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
=======
static ProfileCollection_t4111147659 UnresolvedVirtualCall_232 (RuntimeObject * __this, RuntimeObject * ___Object1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static WordData_t848558031 UnresolvedVirtualCall_233 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static WordData_t2086390285 UnresolvedVirtualCall_233 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static WordResultData_t197027065 UnresolvedVirtualCall_234 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static WordResultData_t1425775683 UnresolvedVirtualCall_234 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Quaternion_t1878978572 UnresolvedVirtualCall_235 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Quaternion_t3908180047 UnresolvedVirtualCall_235 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static float UnresolvedVirtualCall_236 (RuntimeObject * __this, RuntimeObject * ___Object1, int8_t ___SByte2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static void UnresolvedVirtualCall_237 (RuntimeObject * __this, RuntimeObject * ___Object1, float ___Single2, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_238 (RuntimeObject * __this, Touch_t645821920 ___Touch1, Vector2_t2800108189 ___Vector22, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_238 (RuntimeObject * __this, int8_t ___SByte1, int8_t ___SByte2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_239 (RuntimeObject * __this, Touch_t645821920 ___Touch1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_239 (RuntimeObject * __this, int16_t ___Int161, int16_t ___Int162, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_240 (RuntimeObject * __this, int8_t ___SByte1, int8_t ___SByte2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_240 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_241 (RuntimeObject * __this, int16_t ___Int161, int16_t ___Int162, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_241 (RuntimeObject * __this, float ___Single1, float ___Single2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_242 (RuntimeObject * __this, int32_t ___Int321, int32_t ___Int322, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_242 (RuntimeObject * __this, ColorBlock_t1699749404 ___ColorBlock1, ColorBlock_t1699749404 ___ColorBlock2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_243 (RuntimeObject * __this, float ___Single1, float ___Single2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_243 (RuntimeObject * __this, Navigation_t3886735748 ___Navigation1, Navigation_t3886735748 ___Navigation2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_244 (RuntimeObject * __this, ColorBlock_t962263402 ___ColorBlock1, ColorBlock_t962263402 ___ColorBlock2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_244 (RuntimeObject * __this, SpriteState_t1688011898 ___SpriteState1, SpriteState_t1688011898 ___SpriteState2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_245 (RuntimeObject * __this, Navigation_t1397045661 ___Navigation1, Navigation_t1397045661 ___Navigation2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_245 (RuntimeObject * __this, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument1, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_246 (RuntimeObject * __this, SpriteState_t3445807736 ___SpriteState1, SpriteState_t3445807736 ___SpriteState2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_246 (RuntimeObject * __this, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_247 (RuntimeObject * __this, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument1, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_247 (RuntimeObject * __this, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument1, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_248 (RuntimeObject * __this, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_248 (RuntimeObject * __this, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_249 (RuntimeObject * __this, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument1, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_249 (RuntimeObject * __this, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo1, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_250 (RuntimeObject * __this, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_250 (RuntimeObject * __this, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_251 (RuntimeObject * __this, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo1, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_251 (RuntimeObject * __this, Color32_t2389191297 ___Color321, Color32_t2389191297 ___Color322, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_252 (RuntimeObject * __this, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_252 (RuntimeObject * __this, Color32_t2389191297 ___Color321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_253 (RuntimeObject * __this, Color32_t3179578099 ___Color321, Color32_t3179578099 ___Color322, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_253 (RuntimeObject * __this, RaycastResult_t1569638266 ___RaycastResult1, RaycastResult_t1569638266 ___RaycastResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_254 (RuntimeObject * __this, Color32_t3179578099 ___Color321, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_254 (RuntimeObject * __this, RaycastResult_t1569638266 ___RaycastResult1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_255 (RuntimeObject * __this, RaycastResult_t1165079934 ___RaycastResult1, RaycastResult_t1165079934 ___RaycastResult2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_255 (RuntimeObject * __this, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent1, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_256 (RuntimeObject * __this, RaycastResult_t1165079934 ___RaycastResult1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_256 (RuntimeObject * __this, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_257 (RuntimeObject * __this, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent1, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_257 (RuntimeObject * __this, UICharInfo_t824730085 ___UICharInfo1, UICharInfo_t824730085 ___UICharInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_258 (RuntimeObject * __this, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_258 (RuntimeObject * __this, UICharInfo_t824730085 ___UICharInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_259 (RuntimeObject * __this, UICharInfo_t3034348004 ___UICharInfo1, UICharInfo_t3034348004 ___UICharInfo2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_259 (RuntimeObject * __this, UILineInfo_t2929281301 ___UILineInfo1, UILineInfo_t2929281301 ___UILineInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_260 (RuntimeObject * __this, UICharInfo_t3034348004 ___UICharInfo1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_260 (RuntimeObject * __this, UILineInfo_t2929281301 ___UILineInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_261 (RuntimeObject * __this, UILineInfo_t2032526008 ___UILineInfo1, UILineInfo_t2032526008 ___UILineInfo2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_261 (RuntimeObject * __this, UIVertex_t2143797191 ___UIVertex1, UIVertex_t2143797191 ___UIVertex2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_262 (RuntimeObject * __this, UILineInfo_t2032526008 ___UILineInfo1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_262 (RuntimeObject * __this, UIVertex_t2143797191 ___UIVertex1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_263 (RuntimeObject * __this, UIVertex_t3583803796 ___UIVertex1, UIVertex_t3583803796 ___UIVertex2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_263 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, Vector2_t2738738669 ___Vector22, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_264 (RuntimeObject * __this, UIVertex_t3583803796 ___UIVertex1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_264 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_265 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, Vector2_t2800108189 ___Vector22, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_265 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, Vector3_t112967272 ___Vector32, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_266 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_266 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_267 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, Vector3_t3312927470 ___Vector32, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_267 (RuntimeObject * __this, Vector4_t289747491 ___Vector41, Vector4_t289747491 ___Vector42, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_268 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_268 (RuntimeObject * __this, Vector4_t289747491 ___Vector41, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_269 (RuntimeObject * __this, Vector4_t1654968719 ___Vector41, Vector4_t1654968719 ___Vector42, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_269 (RuntimeObject * __this, CameraField_t1906166272 ___CameraField1, CameraField_t1906166272 ___CameraField2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_270 (RuntimeObject * __this, Vector4_t1654968719 ___Vector41, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_270 (RuntimeObject * __this, CameraField_t1906166272 ___CameraField1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_271 (RuntimeObject * __this, CameraField_t4209176005 ___CameraField1, CameraField_t4209176005 ___CameraField2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_271 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, TargetSearchResult_t767815937 ___TargetSearchResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_272 (RuntimeObject * __this, CameraField_t4209176005 ___CameraField1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_272 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_273 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, TargetSearchResult_t3922765545 ___TargetSearchResult2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_273 (RuntimeObject * __this, TrackableIdPair_t1976598170 ___TrackableIdPair1, TrackableIdPair_t1976598170 ___TrackableIdPair2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_274 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_274 (RuntimeObject * __this, TrackableIdPair_t1976598170 ___TrackableIdPair1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_275 (RuntimeObject * __this, TrackableIdPair_t1666048011 ___TrackableIdPair1, TrackableIdPair_t1666048011 ___TrackableIdPair2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_275 (RuntimeObject * __this, VuMarkTargetData_t1891147896 ___VuMarkTargetData1, VuMarkTargetData_t1891147896 ___VuMarkTargetData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_276 (RuntimeObject * __this, TrackableIdPair_t1666048011 ___TrackableIdPair1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_276 (RuntimeObject * __this, VuMarkTargetData_t1891147896 ___VuMarkTargetData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_277 (RuntimeObject * __this, VuMarkTargetData_t2421758178 ___VuMarkTargetData1, VuMarkTargetData_t2421758178 ___VuMarkTargetData2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_277 (RuntimeObject * __this, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData1, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_278 (RuntimeObject * __this, VuMarkTargetData_t2421758178 ___VuMarkTargetData1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_278 (RuntimeObject * __this, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_279 (RuntimeObject * __this, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData1, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_279 (RuntimeObject * __this, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument1, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_280 (RuntimeObject * __this, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_280 (RuntimeObject * __this, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument1, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_281 (RuntimeObject * __this, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument1, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_281 (RuntimeObject * __this, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo1, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_282 (RuntimeObject * __this, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument1, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_282 (RuntimeObject * __this, Color32_t2389191297 ___Color321, Color32_t2389191297 ___Color322, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_283 (RuntimeObject * __this, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo1, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_283 (RuntimeObject * __this, RaycastResult_t1569638266 ___RaycastResult1, RaycastResult_t1569638266 ___RaycastResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_284 (RuntimeObject * __this, Color32_t3179578099 ___Color321, Color32_t3179578099 ___Color322, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_284 (RuntimeObject * __this, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent1, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_285 (RuntimeObject * __this, RaycastResult_t1165079934 ___RaycastResult1, RaycastResult_t1165079934 ___RaycastResult2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_285 (RuntimeObject * __this, UICharInfo_t824730085 ___UICharInfo1, UICharInfo_t824730085 ___UICharInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_286 (RuntimeObject * __this, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent1, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_286 (RuntimeObject * __this, UILineInfo_t2929281301 ___UILineInfo1, UILineInfo_t2929281301 ___UILineInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_287 (RuntimeObject * __this, UICharInfo_t3034348004 ___UICharInfo1, UICharInfo_t3034348004 ___UICharInfo2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_287 (RuntimeObject * __this, UIVertex_t2143797191 ___UIVertex1, UIVertex_t2143797191 ___UIVertex2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_288 (RuntimeObject * __this, UILineInfo_t2032526008 ___UILineInfo1, UILineInfo_t2032526008 ___UILineInfo2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_288 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, Vector2_t2738738669 ___Vector22, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_289 (RuntimeObject * __this, UIVertex_t3583803796 ___UIVertex1, UIVertex_t3583803796 ___UIVertex2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_289 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, Vector3_t112967272 ___Vector32, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_290 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, Vector2_t2800108189 ___Vector22, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_290 (RuntimeObject * __this, Vector4_t289747491 ___Vector41, Vector4_t289747491 ___Vector42, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_291 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, Vector3_t3312927470 ___Vector32, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_291 (RuntimeObject * __this, CameraField_t1906166272 ___CameraField1, CameraField_t1906166272 ___CameraField2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_292 (RuntimeObject * __this, Vector4_t1654968719 ___Vector41, Vector4_t1654968719 ___Vector42, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_292 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, TargetSearchResult_t767815937 ___TargetSearchResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_293 (RuntimeObject * __this, CameraField_t4209176005 ___CameraField1, CameraField_t4209176005 ___CameraField2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_293 (RuntimeObject * __this, TrackableIdPair_t1976598170 ___TrackableIdPair1, TrackableIdPair_t1976598170 ___TrackableIdPair2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_294 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, TargetSearchResult_t3922765545 ___TargetSearchResult2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_294 (RuntimeObject * __this, VuMarkTargetData_t1891147896 ___VuMarkTargetData1, VuMarkTargetData_t1891147896 ___VuMarkTargetData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_295 (RuntimeObject * __this, TrackableIdPair_t1666048011 ___TrackableIdPair1, TrackableIdPair_t1666048011 ___TrackableIdPair2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_295 (RuntimeObject * __this, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData1, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_296 (RuntimeObject * __this, VuMarkTargetData_t2421758178 ___VuMarkTargetData1, VuMarkTargetData_t2421758178 ___VuMarkTargetData2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_296 (RuntimeObject * __this, DateTimeOffset_t911093238 ___DateTimeOffset1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_297 (RuntimeObject * __this, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData1, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_297 (RuntimeObject * __this, Guid_t ___Guid1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_298 (RuntimeObject * __this, DateTimeOffset_t2512863039 ___DateTimeOffset1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_298 (RuntimeObject * __this, TimeSpan_t4245672980 ___TimeSpan1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_299 (RuntimeObject * __this, Guid_t ___Guid1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_299 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, DateTime_t2400840837 ___DateTime2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_300 (RuntimeObject * __this, TimeSpan_t2155380954 ___TimeSpan1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_300 (RuntimeObject * __this, DateTimeOffset_t911093238 ___DateTimeOffset1, DateTimeOffset_t911093238 ___DateTimeOffset2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_301 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, DateTime_t2564313322 ___DateTime2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_301 (RuntimeObject * __this, Guid_t ___Guid1, Guid_t ___Guid2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_302 (RuntimeObject * __this, DateTimeOffset_t2512863039 ___DateTimeOffset1, DateTimeOffset_t2512863039 ___DateTimeOffset2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_302 (RuntimeObject * __this, TimeSpan_t4245672980 ___TimeSpan1, TimeSpan_t4245672980 ___TimeSpan2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_303 (RuntimeObject * __this, Guid_t ___Guid1, Guid_t ___Guid2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_303 (RuntimeObject * __this, VirtualButtonData_t2345006925 ___VirtualButtonData1, VirtualButtonData_t2345006925 ___VirtualButtonData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_304 (RuntimeObject * __this, TimeSpan_t2155380954 ___TimeSpan1, TimeSpan_t2155380954 ___TimeSpan2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_304 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_305 (RuntimeObject * __this, VirtualButtonData_t4005535193 ___VirtualButtonData1, VirtualButtonData_t4005535193 ___VirtualButtonData2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_305 (RuntimeObject * __this, uint16_t ___UInt161, uint16_t ___UInt162, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_306 (RuntimeObject * __this, IntPtr_t ___IntPtr1, IntPtr_t ___IntPtr2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_306 (RuntimeObject * __this, ProfileData_t765082300 ___ProfileData1, ProfileData_t765082300 ___ProfileData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_307 (RuntimeObject * __this, uint16_t ___UInt161, uint16_t ___UInt162, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_307 (RuntimeObject * __this, PoseAgeEntry_t120363684 ___PoseAgeEntry1, PoseAgeEntry_t120363684 ___PoseAgeEntry2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_308 (RuntimeObject * __this, ProfileData_t2623442414 ___ProfileData1, ProfileData_t2623442414 ___ProfileData2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_308 (RuntimeObject * __this, PoseInfo_t3058882587 ___PoseInfo1, PoseInfo_t3058882587 ___PoseInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_309 (RuntimeObject * __this, PoseAgeEntry_t666504402 ___PoseAgeEntry1, PoseAgeEntry_t666504402 ___PoseAgeEntry2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_309 (RuntimeObject * __this, int16_t ___Int161, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_310 (RuntimeObject * __this, PoseInfo_t3092759582 ___PoseInfo1, PoseInfo_t3092759582 ___PoseInfo2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_310 (RuntimeObject * __this, DateTime_t2400840837 ___DateTime1, DateTime_t2400840837 ___DateTime2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_311 (RuntimeObject * __this, int16_t ___Int161, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_311 (RuntimeObject * __this, DateTimeOffset_t911093238 ___DateTimeOffset1, DateTimeOffset_t911093238 ___DateTimeOffset2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_312 (RuntimeObject * __this, DateTime_t2564313322 ___DateTime1, DateTime_t2564313322 ___DateTime2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_312 (RuntimeObject * __this, Guid_t ___Guid1, Guid_t ___Guid2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_313 (RuntimeObject * __this, DateTimeOffset_t2512863039 ___DateTimeOffset1, DateTimeOffset_t2512863039 ___DateTimeOffset2, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_313 (RuntimeObject * __this, TimeSpan_t4245672980 ___TimeSpan1, TimeSpan_t4245672980 ___TimeSpan2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_314 (RuntimeObject * __this, Guid_t ___Guid1, Guid_t ___Guid2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_314 (RuntimeObject * __this, uint16_t ___UInt161, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_315 (RuntimeObject * __this, TimeSpan_t2155380954 ___TimeSpan1, TimeSpan_t2155380954 ___TimeSpan2, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_315 (RuntimeObject * __this, ColorBlock_t1699749404 ___ColorBlock1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_316 (RuntimeObject * __this, uint16_t ___UInt161, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_316 (RuntimeObject * __this, Navigation_t3886735748 ___Navigation1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_317 (RuntimeObject * __this, ColorBlock_t962263402 ___ColorBlock1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_317 (RuntimeObject * __this, SpriteState_t1688011898 ___SpriteState1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_318 (RuntimeObject * __this, Navigation_t1397045661 ___Navigation1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_318 (RuntimeObject * __this, PoseAgeEntry_t120363684 ___PoseAgeEntry1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_319 (RuntimeObject * __this, SpriteState_t3445807736 ___SpriteState1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_319 (RuntimeObject * __this, PoseInfo_t3058882587 ___PoseInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_320 (RuntimeObject * __this, PoseAgeEntry_t666504402 ___PoseAgeEntry1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_320 (RuntimeObject * __this, VirtualButtonData_t2345006925 ___VirtualButtonData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_321 (RuntimeObject * __this, PoseInfo_t3092759582 ___PoseInfo1, const RuntimeMethod* method)
=======
static int32_t UnresolvedVirtualCall_321 (RuntimeObject * __this, ProfileData_t765082300 ___ProfileData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_322 (RuntimeObject * __this, VirtualButtonData_t4005535193 ___VirtualButtonData1, const RuntimeMethod* method)
=======
static CustomAttributeNamedArgument_t1185474274 UnresolvedVirtualCall_322 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int32_t UnresolvedVirtualCall_323 (RuntimeObject * __this, ProfileData_t2623442414 ___ProfileData1, const RuntimeMethod* method)
=======
static CustomAttributeTypedArgument_t2153600122 UnresolvedVirtualCall_323 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CustomAttributeNamedArgument_t1231707366 UnresolvedVirtualCall_324 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static AnimatorClipInfo_t1975935497 UnresolvedVirtualCall_324 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CustomAttributeTypedArgument_t2155045506 UnresolvedVirtualCall_325 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Color32_t2389191297 UnresolvedVirtualCall_325 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static AnimatorClipInfo_t3702041789 UnresolvedVirtualCall_326 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static RaycastResult_t1569638266 UnresolvedVirtualCall_326 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Color32_t3179578099 UnresolvedVirtualCall_327 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static ParticleCollisionEvent_t1127501763 UnresolvedVirtualCall_327 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RaycastResult_t1165079934 UnresolvedVirtualCall_328 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static UICharInfo_t824730085 UnresolvedVirtualCall_328 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static ParticleCollisionEvent_t2122857610 UnresolvedVirtualCall_329 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static UILineInfo_t2929281301 UnresolvedVirtualCall_329 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UICharInfo_t3034348004 UnresolvedVirtualCall_330 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static UIVertex_t2143797191 UnresolvedVirtualCall_330 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UILineInfo_t2032526008 UnresolvedVirtualCall_331 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static Vector4_t289747491 UnresolvedVirtualCall_331 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static UIVertex_t3583803796 UnresolvedVirtualCall_332 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static CameraField_t1906166272 UnresolvedVirtualCall_332 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector4_t1654968719 UnresolvedVirtualCall_333 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static TrackableIdPair_t1976598170 UnresolvedVirtualCall_333 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CameraField_t4209176005 UnresolvedVirtualCall_334 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static VuMarkTargetData_t1891147896 UnresolvedVirtualCall_334 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static TrackableIdPair_t1666048011 UnresolvedVirtualCall_335 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static VuMarkTargetResultData_t2950635639 UnresolvedVirtualCall_335 (RuntimeObject * __this, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VuMarkTargetData_t2421758178 UnresolvedVirtualCall_336 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_336 (RuntimeObject * __this, int32_t ___Int321, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VuMarkTargetResultData_t2861404624 UnresolvedVirtualCall_337 (RuntimeObject * __this, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_337 (RuntimeObject * __this, CustomAttributeNamedArgument_t1185474274 ___CustomAttributeNamedArgument1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_338 (RuntimeObject * __this, int32_t ___Int321, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_338 (RuntimeObject * __this, int32_t ___Int321, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_339 (RuntimeObject * __this, CustomAttributeNamedArgument_t1231707366 ___CustomAttributeNamedArgument1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_339 (RuntimeObject * __this, CustomAttributeTypedArgument_t2153600122 ___CustomAttributeTypedArgument1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_340 (RuntimeObject * __this, int32_t ___Int321, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_340 (RuntimeObject * __this, int32_t ___Int321, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_341 (RuntimeObject * __this, CustomAttributeTypedArgument_t2155045506 ___CustomAttributeTypedArgument1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_341 (RuntimeObject * __this, AnimatorClipInfo_t1975935497 ___AnimatorClipInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_342 (RuntimeObject * __this, int32_t ___Int321, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo2, const RuntimeMethod* method)
=======
static AnimatorClipInfo_t1975935497 UnresolvedVirtualCall_342 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_343 (RuntimeObject * __this, AnimatorClipInfo_t3702041789 ___AnimatorClipInfo1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_343 (RuntimeObject * __this, int32_t ___Int321, Color32_t2389191297 ___Color322, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static AnimatorClipInfo_t3702041789 UnresolvedVirtualCall_344 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_344 (RuntimeObject * __this, Color32_t2389191297 ___Color321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_345 (RuntimeObject * __this, int32_t ___Int321, Color32_t3179578099 ___Color322, const RuntimeMethod* method)
=======
static Color32_t2389191297 UnresolvedVirtualCall_345 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_346 (RuntimeObject * __this, Color32_t3179578099 ___Color321, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_346 (RuntimeObject * __this, int32_t ___Int321, RaycastResult_t1569638266 ___RaycastResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Color32_t3179578099 UnresolvedVirtualCall_347 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_347 (RuntimeObject * __this, RaycastResult_t1569638266 ___RaycastResult1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_348 (RuntimeObject * __this, int32_t ___Int321, RaycastResult_t1165079934 ___RaycastResult2, const RuntimeMethod* method)
=======
static RaycastResult_t1569638266 UnresolvedVirtualCall_348 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_349 (RuntimeObject * __this, RaycastResult_t1165079934 ___RaycastResult1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_349 (RuntimeObject * __this, int32_t ___Int321, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static RaycastResult_t1165079934 UnresolvedVirtualCall_350 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_350 (RuntimeObject * __this, ParticleCollisionEvent_t1127501763 ___ParticleCollisionEvent1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_351 (RuntimeObject * __this, int32_t ___Int321, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent2, const RuntimeMethod* method)
=======
static ParticleCollisionEvent_t1127501763 UnresolvedVirtualCall_351 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_352 (RuntimeObject * __this, ParticleCollisionEvent_t2122857610 ___ParticleCollisionEvent1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_352 (RuntimeObject * __this, int32_t ___Int321, UICharInfo_t824730085 ___UICharInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static ParticleCollisionEvent_t2122857610 UnresolvedVirtualCall_353 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_353 (RuntimeObject * __this, UICharInfo_t824730085 ___UICharInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_354 (RuntimeObject * __this, int32_t ___Int321, UICharInfo_t3034348004 ___UICharInfo2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_354 (RuntimeObject * __this, int32_t ___Int321, UILineInfo_t2929281301 ___UILineInfo2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_355 (RuntimeObject * __this, UICharInfo_t3034348004 ___UICharInfo1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_355 (RuntimeObject * __this, UILineInfo_t2929281301 ___UILineInfo1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_356 (RuntimeObject * __this, int32_t ___Int321, UILineInfo_t2032526008 ___UILineInfo2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_356 (RuntimeObject * __this, int32_t ___Int321, UIVertex_t2143797191 ___UIVertex2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_357 (RuntimeObject * __this, UILineInfo_t2032526008 ___UILineInfo1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_357 (RuntimeObject * __this, UIVertex_t2143797191 ___UIVertex1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_358 (RuntimeObject * __this, int32_t ___Int321, UIVertex_t3583803796 ___UIVertex2, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_358 (RuntimeObject * __this, int32_t ___Int321, Vector2_t2738738669 ___Vector22, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_359 (RuntimeObject * __this, UIVertex_t3583803796 ___UIVertex1, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_359 (RuntimeObject * __this, Vector2_t2738738669 ___Vector21, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_360 (RuntimeObject * __this, int32_t ___Int321, Vector2_t2800108189 ___Vector22, const RuntimeMethod* method)
=======
static Vector2_t2738738669 UnresolvedVirtualCall_360 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_361 (RuntimeObject * __this, Vector2_t2800108189 ___Vector21, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_361 (RuntimeObject * __this, Vector3_t112967272 ___Vector31, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector2_t2800108189 UnresolvedVirtualCall_362 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static Vector3_t112967272 UnresolvedVirtualCall_362 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_363 (RuntimeObject * __this, Vector3_t3312927470 ___Vector31, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_363 (RuntimeObject * __this, int32_t ___Int321, Vector4_t289747491 ___Vector42, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector3_t3312927470 UnresolvedVirtualCall_364 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_364 (RuntimeObject * __this, Vector4_t289747491 ___Vector41, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_365 (RuntimeObject * __this, int32_t ___Int321, Vector4_t1654968719 ___Vector42, const RuntimeMethod* method)
=======
static Vector4_t289747491 UnresolvedVirtualCall_365 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_366 (RuntimeObject * __this, Vector4_t1654968719 ___Vector41, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_366 (RuntimeObject * __this, int32_t ___Int321, CameraField_t1906166272 ___CameraField2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static Vector4_t1654968719 UnresolvedVirtualCall_367 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_367 (RuntimeObject * __this, CameraField_t1906166272 ___CameraField1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_368 (RuntimeObject * __this, int32_t ___Int321, CameraField_t4209176005 ___CameraField2, const RuntimeMethod* method)
=======
static CameraField_t1906166272 UnresolvedVirtualCall_368 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_369 (RuntimeObject * __this, CameraField_t4209176005 ___CameraField1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_369 (RuntimeObject * __this, int32_t ___Int321, TargetSearchResult_t767815937 ___TargetSearchResult2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static CameraField_t4209176005 UnresolvedVirtualCall_370 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_370 (RuntimeObject * __this, TargetSearchResult_t767815937 ___TargetSearchResult1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_371 (RuntimeObject * __this, int32_t ___Int321, TargetSearchResult_t3922765545 ___TargetSearchResult2, const RuntimeMethod* method)
=======
static TargetSearchResult_t767815937 UnresolvedVirtualCall_371 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_372 (RuntimeObject * __this, TargetSearchResult_t3922765545 ___TargetSearchResult1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_372 (RuntimeObject * __this, int32_t ___Int321, TrackableIdPair_t1976598170 ___TrackableIdPair2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static TargetSearchResult_t3922765545 UnresolvedVirtualCall_373 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_373 (RuntimeObject * __this, TrackableIdPair_t1976598170 ___TrackableIdPair1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_374 (RuntimeObject * __this, int32_t ___Int321, TrackableIdPair_t1666048011 ___TrackableIdPair2, const RuntimeMethod* method)
=======
static TrackableIdPair_t1976598170 UnresolvedVirtualCall_374 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_375 (RuntimeObject * __this, TrackableIdPair_t1666048011 ___TrackableIdPair1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_375 (RuntimeObject * __this, int32_t ___Int321, VuMarkTargetData_t1891147896 ___VuMarkTargetData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static TrackableIdPair_t1666048011 UnresolvedVirtualCall_376 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_376 (RuntimeObject * __this, VuMarkTargetData_t1891147896 ___VuMarkTargetData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_377 (RuntimeObject * __this, int32_t ___Int321, VuMarkTargetData_t2421758178 ___VuMarkTargetData2, const RuntimeMethod* method)
=======
static VuMarkTargetData_t1891147896 UnresolvedVirtualCall_377 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_378 (RuntimeObject * __this, VuMarkTargetData_t2421758178 ___VuMarkTargetData1, const RuntimeMethod* method)
=======
static void UnresolvedVirtualCall_378 (RuntimeObject * __this, int32_t ___Int321, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData2, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static VuMarkTargetData_t2421758178 UnresolvedVirtualCall_379 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
=======
static int8_t UnresolvedVirtualCall_379 (RuntimeObject * __this, VuMarkTargetResultData_t2950635639 ___VuMarkTargetResultData1, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static void UnresolvedVirtualCall_380 (RuntimeObject * __this, int32_t ___Int321, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData2, const RuntimeMethod* method)
=======
static VuMarkTargetResultData_t2950635639 UnresolvedVirtualCall_380 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
<<<<<<< HEAD
static int8_t UnresolvedVirtualCall_381 (RuntimeObject * __this, VuMarkTargetResultData_t2861404624 ___VuMarkTargetResultData1, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
static VuMarkTargetResultData_t2861404624 UnresolvedVirtualCall_382 (RuntimeObject * __this, int32_t ___Int321, const RuntimeMethod* method)
{
il2cpp_codegen_raise_execution_engine_exception(method);
il2cpp_codegen_no_return();
}
extern const Il2CppMethodPointer g_UnresolvedVirtualMethodPointers[383] =
=======
extern const Il2CppMethodPointer g_UnresolvedVirtualMethodPointers[381] =
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
{
(const Il2CppMethodPointer) UnresolvedVirtualCall_0,
(const Il2CppMethodPointer) UnresolvedVirtualCall_1,
(const Il2CppMethodPointer) UnresolvedVirtualCall_2,
(const Il2CppMethodPointer) UnresolvedVirtualCall_3,
(const Il2CppMethodPointer) UnresolvedVirtualCall_4,
(const Il2CppMethodPointer) UnresolvedVirtualCall_5,
(const Il2CppMethodPointer) UnresolvedVirtualCall_6,
(const Il2CppMethodPointer) UnresolvedVirtualCall_7,
(const Il2CppMethodPointer) UnresolvedVirtualCall_8,
(const Il2CppMethodPointer) UnresolvedVirtualCall_9,
(const Il2CppMethodPointer) UnresolvedVirtualCall_10,
(const Il2CppMethodPointer) UnresolvedVirtualCall_11,
(const Il2CppMethodPointer) UnresolvedVirtualCall_12,
(const Il2CppMethodPointer) UnresolvedVirtualCall_13,
(const Il2CppMethodPointer) UnresolvedVirtualCall_14,
(const Il2CppMethodPointer) UnresolvedVirtualCall_15,
(const Il2CppMethodPointer) UnresolvedVirtualCall_16,
(const Il2CppMethodPointer) UnresolvedVirtualCall_17,
(const Il2CppMethodPointer) UnresolvedVirtualCall_18,
(const Il2CppMethodPointer) UnresolvedVirtualCall_19,
(const Il2CppMethodPointer) UnresolvedVirtualCall_20,
(const Il2CppMethodPointer) UnresolvedVirtualCall_21,
(const Il2CppMethodPointer) UnresolvedVirtualCall_22,
(const Il2CppMethodPointer) UnresolvedVirtualCall_23,
(const Il2CppMethodPointer) UnresolvedVirtualCall_24,
(const Il2CppMethodPointer) UnresolvedVirtualCall_25,
(const Il2CppMethodPointer) UnresolvedVirtualCall_26,
(const Il2CppMethodPointer) UnresolvedVirtualCall_27,
(const Il2CppMethodPointer) UnresolvedVirtualCall_28,
(const Il2CppMethodPointer) UnresolvedVirtualCall_29,
(const Il2CppMethodPointer) UnresolvedVirtualCall_30,
(const Il2CppMethodPointer) UnresolvedVirtualCall_31,
(const Il2CppMethodPointer) UnresolvedVirtualCall_32,
(const Il2CppMethodPointer) UnresolvedVirtualCall_33,
(const Il2CppMethodPointer) UnresolvedVirtualCall_34,
(const Il2CppMethodPointer) UnresolvedVirtualCall_35,
(const Il2CppMethodPointer) UnresolvedVirtualCall_36,
(const Il2CppMethodPointer) UnresolvedVirtualCall_37,
(const Il2CppMethodPointer) UnresolvedVirtualCall_38,
(const Il2CppMethodPointer) UnresolvedVirtualCall_39,
(const Il2CppMethodPointer) UnresolvedVirtualCall_40,
(const Il2CppMethodPointer) UnresolvedVirtualCall_41,
(const Il2CppMethodPointer) UnresolvedVirtualCall_42,
(const Il2CppMethodPointer) UnresolvedVirtualCall_43,
(const Il2CppMethodPointer) UnresolvedVirtualCall_44,
(const Il2CppMethodPointer) UnresolvedVirtualCall_45,
(const Il2CppMethodPointer) UnresolvedVirtualCall_46,
(const Il2CppMethodPointer) UnresolvedVirtualCall_47,
(const Il2CppMethodPointer) UnresolvedVirtualCall_48,
(const Il2CppMethodPointer) UnresolvedVirtualCall_49,
(const Il2CppMethodPointer) UnresolvedVirtualCall_50,
(const Il2CppMethodPointer) UnresolvedVirtualCall_51,
(const Il2CppMethodPointer) UnresolvedVirtualCall_52,
(const Il2CppMethodPointer) UnresolvedVirtualCall_53,
(const Il2CppMethodPointer) UnresolvedVirtualCall_54,
(const Il2CppMethodPointer) UnresolvedVirtualCall_55,
(const Il2CppMethodPointer) UnresolvedVirtualCall_56,
(const Il2CppMethodPointer) UnresolvedVirtualCall_57,
(const Il2CppMethodPointer) UnresolvedVirtualCall_58,
(const Il2CppMethodPointer) UnresolvedVirtualCall_59,
(const Il2CppMethodPointer) UnresolvedVirtualCall_60,
(const Il2CppMethodPointer) UnresolvedVirtualCall_61,
(const Il2CppMethodPointer) UnresolvedVirtualCall_62,
(const Il2CppMethodPointer) UnresolvedVirtualCall_63,
(const Il2CppMethodPointer) UnresolvedVirtualCall_64,
(const Il2CppMethodPointer) UnresolvedVirtualCall_65,
(const Il2CppMethodPointer) UnresolvedVirtualCall_66,
(const Il2CppMethodPointer) UnresolvedVirtualCall_67,
(const Il2CppMethodPointer) UnresolvedVirtualCall_68,
(const Il2CppMethodPointer) UnresolvedVirtualCall_69,
(const Il2CppMethodPointer) UnresolvedVirtualCall_70,
(const Il2CppMethodPointer) UnresolvedVirtualCall_71,
(const Il2CppMethodPointer) UnresolvedVirtualCall_72,
(const Il2CppMethodPointer) UnresolvedVirtualCall_73,
(const Il2CppMethodPointer) UnresolvedVirtualCall_74,
(const Il2CppMethodPointer) UnresolvedVirtualCall_75,
(const Il2CppMethodPointer) UnresolvedVirtualCall_76,
(const Il2CppMethodPointer) UnresolvedVirtualCall_77,
(const Il2CppMethodPointer) UnresolvedVirtualCall_78,
(const Il2CppMethodPointer) UnresolvedVirtualCall_79,
(const Il2CppMethodPointer) UnresolvedVirtualCall_80,
(const Il2CppMethodPointer) UnresolvedVirtualCall_81,
(const Il2CppMethodPointer) UnresolvedVirtualCall_82,
(const Il2CppMethodPointer) UnresolvedVirtualCall_83,
(const Il2CppMethodPointer) UnresolvedVirtualCall_84,
(const Il2CppMethodPointer) UnresolvedVirtualCall_85,
(const Il2CppMethodPointer) UnresolvedVirtualCall_86,
(const Il2CppMethodPointer) UnresolvedVirtualCall_87,
(const Il2CppMethodPointer) UnresolvedVirtualCall_88,
(const Il2CppMethodPointer) UnresolvedVirtualCall_89,
(const Il2CppMethodPointer) UnresolvedVirtualCall_90,
(const Il2CppMethodPointer) UnresolvedVirtualCall_91,
(const Il2CppMethodPointer) UnresolvedVirtualCall_92,
(const Il2CppMethodPointer) UnresolvedVirtualCall_93,
(const Il2CppMethodPointer) UnresolvedVirtualCall_94,
(const Il2CppMethodPointer) UnresolvedVirtualCall_95,
(const Il2CppMethodPointer) UnresolvedVirtualCall_96,
(const Il2CppMethodPointer) UnresolvedVirtualCall_97,
(const Il2CppMethodPointer) UnresolvedVirtualCall_98,
(const Il2CppMethodPointer) UnresolvedVirtualCall_99,
(const Il2CppMethodPointer) UnresolvedVirtualCall_100,
(const Il2CppMethodPointer) UnresolvedVirtualCall_101,
(const Il2CppMethodPointer) UnresolvedVirtualCall_102,
(const Il2CppMethodPointer) UnresolvedVirtualCall_103,
(const Il2CppMethodPointer) UnresolvedVirtualCall_104,
(const Il2CppMethodPointer) UnresolvedVirtualCall_105,
(const Il2CppMethodPointer) UnresolvedVirtualCall_106,
(const Il2CppMethodPointer) UnresolvedVirtualCall_107,
(const Il2CppMethodPointer) UnresolvedVirtualCall_108,
(const Il2CppMethodPointer) UnresolvedVirtualCall_109,
(const Il2CppMethodPointer) UnresolvedVirtualCall_110,
(const Il2CppMethodPointer) UnresolvedVirtualCall_111,
(const Il2CppMethodPointer) UnresolvedVirtualCall_112,
(const Il2CppMethodPointer) UnresolvedVirtualCall_113,
(const Il2CppMethodPointer) UnresolvedVirtualCall_114,
(const Il2CppMethodPointer) UnresolvedVirtualCall_115,
(const Il2CppMethodPointer) UnresolvedVirtualCall_116,
(const Il2CppMethodPointer) UnresolvedVirtualCall_117,
(const Il2CppMethodPointer) UnresolvedVirtualCall_118,
(const Il2CppMethodPointer) UnresolvedVirtualCall_119,
(const Il2CppMethodPointer) UnresolvedVirtualCall_120,
(const Il2CppMethodPointer) UnresolvedVirtualCall_121,
(const Il2CppMethodPointer) UnresolvedVirtualCall_122,
(const Il2CppMethodPointer) UnresolvedVirtualCall_123,
(const Il2CppMethodPointer) UnresolvedVirtualCall_124,
(const Il2CppMethodPointer) UnresolvedVirtualCall_125,
(const Il2CppMethodPointer) UnresolvedVirtualCall_126,
(const Il2CppMethodPointer) UnresolvedVirtualCall_127,
(const Il2CppMethodPointer) UnresolvedVirtualCall_128,
(const Il2CppMethodPointer) UnresolvedVirtualCall_129,
(const Il2CppMethodPointer) UnresolvedVirtualCall_130,
(const Il2CppMethodPointer) UnresolvedVirtualCall_131,
(const Il2CppMethodPointer) UnresolvedVirtualCall_132,
(const Il2CppMethodPointer) UnresolvedVirtualCall_133,
(const Il2CppMethodPointer) UnresolvedVirtualCall_134,
(const Il2CppMethodPointer) UnresolvedVirtualCall_135,
(const Il2CppMethodPointer) UnresolvedVirtualCall_136,
(const Il2CppMethodPointer) UnresolvedVirtualCall_137,
(const Il2CppMethodPointer) UnresolvedVirtualCall_138,
(const Il2CppMethodPointer) UnresolvedVirtualCall_139,
(const Il2CppMethodPointer) UnresolvedVirtualCall_140,
(const Il2CppMethodPointer) UnresolvedVirtualCall_141,
(const Il2CppMethodPointer) UnresolvedVirtualCall_142,
(const Il2CppMethodPointer) UnresolvedVirtualCall_143,
(const Il2CppMethodPointer) UnresolvedVirtualCall_144,
(const Il2CppMethodPointer) UnresolvedVirtualCall_145,
(const Il2CppMethodPointer) UnresolvedVirtualCall_146,
(const Il2CppMethodPointer) UnresolvedVirtualCall_147,
(const Il2CppMethodPointer) UnresolvedVirtualCall_148,
(const Il2CppMethodPointer) UnresolvedVirtualCall_149,
(const Il2CppMethodPointer) UnresolvedVirtualCall_150,
(const Il2CppMethodPointer) UnresolvedVirtualCall_151,
(const Il2CppMethodPointer) UnresolvedVirtualCall_152,
(const Il2CppMethodPointer) UnresolvedVirtualCall_153,
(const Il2CppMethodPointer) UnresolvedVirtualCall_154,
(const Il2CppMethodPointer) UnresolvedVirtualCall_155,
(const Il2CppMethodPointer) UnresolvedVirtualCall_156,
(const Il2CppMethodPointer) UnresolvedVirtualCall_157,
(const Il2CppMethodPointer) UnresolvedVirtualCall_158,
(const Il2CppMethodPointer) UnresolvedVirtualCall_159,
(const Il2CppMethodPointer) UnresolvedVirtualCall_160,
(const Il2CppMethodPointer) UnresolvedVirtualCall_161,
(const Il2CppMethodPointer) UnresolvedVirtualCall_162,
(const Il2CppMethodPointer) UnresolvedVirtualCall_163,
(const Il2CppMethodPointer) UnresolvedVirtualCall_164,
(const Il2CppMethodPointer) UnresolvedVirtualCall_165,
(const Il2CppMethodPointer) UnresolvedVirtualCall_166,
(const Il2CppMethodPointer) UnresolvedVirtualCall_167,
(const Il2CppMethodPointer) UnresolvedVirtualCall_168,
(const Il2CppMethodPointer) UnresolvedVirtualCall_169,
(const Il2CppMethodPointer) UnresolvedVirtualCall_170,
(const Il2CppMethodPointer) UnresolvedVirtualCall_171,
(const Il2CppMethodPointer) UnresolvedVirtualCall_172,
(const Il2CppMethodPointer) UnresolvedVirtualCall_173,
(const Il2CppMethodPointer) UnresolvedVirtualCall_174,
(const Il2CppMethodPointer) UnresolvedVirtualCall_175,
(const Il2CppMethodPointer) UnresolvedVirtualCall_176,
(const Il2CppMethodPointer) UnresolvedVirtualCall_177,
(const Il2CppMethodPointer) UnresolvedVirtualCall_178,
(const Il2CppMethodPointer) UnresolvedVirtualCall_179,
(const Il2CppMethodPointer) UnresolvedVirtualCall_180,
(const Il2CppMethodPointer) UnresolvedVirtualCall_181,
(const Il2CppMethodPointer) UnresolvedVirtualCall_182,
(const Il2CppMethodPointer) UnresolvedVirtualCall_183,
(const Il2CppMethodPointer) UnresolvedVirtualCall_184,
(const Il2CppMethodPointer) UnresolvedVirtualCall_185,
(const Il2CppMethodPointer) UnresolvedVirtualCall_186,
(const Il2CppMethodPointer) UnresolvedVirtualCall_187,
(const Il2CppMethodPointer) UnresolvedVirtualCall_188,
(const Il2CppMethodPointer) UnresolvedVirtualCall_189,
(const Il2CppMethodPointer) UnresolvedVirtualCall_190,
(const Il2CppMethodPointer) UnresolvedVirtualCall_191,
(const Il2CppMethodPointer) UnresolvedVirtualCall_192,
(const Il2CppMethodPointer) UnresolvedVirtualCall_193,
(const Il2CppMethodPointer) UnresolvedVirtualCall_194,
(const Il2CppMethodPointer) UnresolvedVirtualCall_195,
(const Il2CppMethodPointer) UnresolvedVirtualCall_196,
(const Il2CppMethodPointer) UnresolvedVirtualCall_197,
(const Il2CppMethodPointer) UnresolvedVirtualCall_198,
(const Il2CppMethodPointer) UnresolvedVirtualCall_199,
(const Il2CppMethodPointer) UnresolvedVirtualCall_200,
(const Il2CppMethodPointer) UnresolvedVirtualCall_201,
(const Il2CppMethodPointer) UnresolvedVirtualCall_202,
(const Il2CppMethodPointer) UnresolvedVirtualCall_203,
(const Il2CppMethodPointer) UnresolvedVirtualCall_204,
(const Il2CppMethodPointer) UnresolvedVirtualCall_205,
(const Il2CppMethodPointer) UnresolvedVirtualCall_206,
(const Il2CppMethodPointer) UnresolvedVirtualCall_207,
(const Il2CppMethodPointer) UnresolvedVirtualCall_208,
(const Il2CppMethodPointer) UnresolvedVirtualCall_209,
(const Il2CppMethodPointer) UnresolvedVirtualCall_210,
(const Il2CppMethodPointer) UnresolvedVirtualCall_211,
(const Il2CppMethodPointer) UnresolvedVirtualCall_212,
(const Il2CppMethodPointer) UnresolvedVirtualCall_213,
(const Il2CppMethodPointer) UnresolvedVirtualCall_214,
(const Il2CppMethodPointer) UnresolvedVirtualCall_215,
(const Il2CppMethodPointer) UnresolvedVirtualCall_216,
(const Il2CppMethodPointer) UnresolvedVirtualCall_217,
(const Il2CppMethodPointer) UnresolvedVirtualCall_218,
(const Il2CppMethodPointer) UnresolvedVirtualCall_219,
(const Il2CppMethodPointer) UnresolvedVirtualCall_220,
(const Il2CppMethodPointer) UnresolvedVirtualCall_221,
(const Il2CppMethodPointer) UnresolvedVirtualCall_222,
(const Il2CppMethodPointer) UnresolvedVirtualCall_223,
(const Il2CppMethodPointer) UnresolvedVirtualCall_224,
(const Il2CppMethodPointer) UnresolvedVirtualCall_225,
(const Il2CppMethodPointer) UnresolvedVirtualCall_226,
(const Il2CppMethodPointer) UnresolvedVirtualCall_227,
(const Il2CppMethodPointer) UnresolvedVirtualCall_228,
(const Il2CppMethodPointer) UnresolvedVirtualCall_229,
(const Il2CppMethodPointer) UnresolvedVirtualCall_230,
(const Il2CppMethodPointer) UnresolvedVirtualCall_231,
(const Il2CppMethodPointer) UnresolvedVirtualCall_232,
(const Il2CppMethodPointer) UnresolvedVirtualCall_233,
(const Il2CppMethodPointer) UnresolvedVirtualCall_234,
(const Il2CppMethodPointer) UnresolvedVirtualCall_235,
(const Il2CppMethodPointer) UnresolvedVirtualCall_236,
(const Il2CppMethodPointer) UnresolvedVirtualCall_237,
(const Il2CppMethodPointer) UnresolvedVirtualCall_238,
(const Il2CppMethodPointer) UnresolvedVirtualCall_239,
(const Il2CppMethodPointer) UnresolvedVirtualCall_240,
(const Il2CppMethodPointer) UnresolvedVirtualCall_241,
(const Il2CppMethodPointer) UnresolvedVirtualCall_242,
(const Il2CppMethodPointer) UnresolvedVirtualCall_243,
(const Il2CppMethodPointer) UnresolvedVirtualCall_244,
(const Il2CppMethodPointer) UnresolvedVirtualCall_245,
(const Il2CppMethodPointer) UnresolvedVirtualCall_246,
(const Il2CppMethodPointer) UnresolvedVirtualCall_247,
(const Il2CppMethodPointer) UnresolvedVirtualCall_248,
(const Il2CppMethodPointer) UnresolvedVirtualCall_249,
(const Il2CppMethodPointer) UnresolvedVirtualCall_250,
(const Il2CppMethodPointer) UnresolvedVirtualCall_251,
(const Il2CppMethodPointer) UnresolvedVirtualCall_252,
(const Il2CppMethodPointer) UnresolvedVirtualCall_253,
(const Il2CppMethodPointer) UnresolvedVirtualCall_254,
(const Il2CppMethodPointer) UnresolvedVirtualCall_255,
(const Il2CppMethodPointer) UnresolvedVirtualCall_256,
(const Il2CppMethodPointer) UnresolvedVirtualCall_257,
(const Il2CppMethodPointer) UnresolvedVirtualCall_258,
(const Il2CppMethodPointer) UnresolvedVirtualCall_259,
(const Il2CppMethodPointer) UnresolvedVirtualCall_260,
(const Il2CppMethodPointer) UnresolvedVirtualCall_261,
(const Il2CppMethodPointer) UnresolvedVirtualCall_262,
(const Il2CppMethodPointer) UnresolvedVirtualCall_263,
(const Il2CppMethodPointer) UnresolvedVirtualCall_264,
(const Il2CppMethodPointer) UnresolvedVirtualCall_265,
(const Il2CppMethodPointer) UnresolvedVirtualCall_266,
(const Il2CppMethodPointer) UnresolvedVirtualCall_267,
(const Il2CppMethodPointer) UnresolvedVirtualCall_268,
(const Il2CppMethodPointer) UnresolvedVirtualCall_269,
(const Il2CppMethodPointer) UnresolvedVirtualCall_270,
(const Il2CppMethodPointer) UnresolvedVirtualCall_271,
(const Il2CppMethodPointer) UnresolvedVirtualCall_272,
(const Il2CppMethodPointer) UnresolvedVirtualCall_273,
(const Il2CppMethodPointer) UnresolvedVirtualCall_274,
(const Il2CppMethodPointer) UnresolvedVirtualCall_275,
(const Il2CppMethodPointer) UnresolvedVirtualCall_276,
(const Il2CppMethodPointer) UnresolvedVirtualCall_277,
(const Il2CppMethodPointer) UnresolvedVirtualCall_278,
(const Il2CppMethodPointer) UnresolvedVirtualCall_279,
(const Il2CppMethodPointer) UnresolvedVirtualCall_280,
(const Il2CppMethodPointer) UnresolvedVirtualCall_281,
(const Il2CppMethodPointer) UnresolvedVirtualCall_282,
(const Il2CppMethodPointer) UnresolvedVirtualCall_283,
(const Il2CppMethodPointer) UnresolvedVirtualCall_284,
(const Il2CppMethodPointer) UnresolvedVirtualCall_285,
(const Il2CppMethodPointer) UnresolvedVirtualCall_286,
(const Il2CppMethodPointer) UnresolvedVirtualCall_287,
(const Il2CppMethodPointer) UnresolvedVirtualCall_288,
(const Il2CppMethodPointer) UnresolvedVirtualCall_289,
(const Il2CppMethodPointer) UnresolvedVirtualCall_290,
(const Il2CppMethodPointer) UnresolvedVirtualCall_291,
(const Il2CppMethodPointer) UnresolvedVirtualCall_292,
(const Il2CppMethodPointer) UnresolvedVirtualCall_293,
(const Il2CppMethodPointer) UnresolvedVirtualCall_294,
(const Il2CppMethodPointer) UnresolvedVirtualCall_295,
(const Il2CppMethodPointer) UnresolvedVirtualCall_296,
(const Il2CppMethodPointer) UnresolvedVirtualCall_297,
(const Il2CppMethodPointer) UnresolvedVirtualCall_298,
(const Il2CppMethodPointer) UnresolvedVirtualCall_299,
(const Il2CppMethodPointer) UnresolvedVirtualCall_300,
(const Il2CppMethodPointer) UnresolvedVirtualCall_301,
(const Il2CppMethodPointer) UnresolvedVirtualCall_302,
(const Il2CppMethodPointer) UnresolvedVirtualCall_303,
(const Il2CppMethodPointer) UnresolvedVirtualCall_304,
(const Il2CppMethodPointer) UnresolvedVirtualCall_305,
(const Il2CppMethodPointer) UnresolvedVirtualCall_306,
(const Il2CppMethodPointer) UnresolvedVirtualCall_307,
(const Il2CppMethodPointer) UnresolvedVirtualCall_308,
(const Il2CppMethodPointer) UnresolvedVirtualCall_309,
(const Il2CppMethodPointer) UnresolvedVirtualCall_310,
(const Il2CppMethodPointer) UnresolvedVirtualCall_311,
(const Il2CppMethodPointer) UnresolvedVirtualCall_312,
(const Il2CppMethodPointer) UnresolvedVirtualCall_313,
(const Il2CppMethodPointer) UnresolvedVirtualCall_314,
(const Il2CppMethodPointer) UnresolvedVirtualCall_315,
(const Il2CppMethodPointer) UnresolvedVirtualCall_316,
(const Il2CppMethodPointer) UnresolvedVirtualCall_317,
(const Il2CppMethodPointer) UnresolvedVirtualCall_318,
(const Il2CppMethodPointer) UnresolvedVirtualCall_319,
(const Il2CppMethodPointer) UnresolvedVirtualCall_320,
(const Il2CppMethodPointer) UnresolvedVirtualCall_321,
(const Il2CppMethodPointer) UnresolvedVirtualCall_322,
(const Il2CppMethodPointer) UnresolvedVirtualCall_323,
(const Il2CppMethodPointer) UnresolvedVirtualCall_324,
(const Il2CppMethodPointer) UnresolvedVirtualCall_325,
(const Il2CppMethodPointer) UnresolvedVirtualCall_326,
(const Il2CppMethodPointer) UnresolvedVirtualCall_327,
(const Il2CppMethodPointer) UnresolvedVirtualCall_328,
(const Il2CppMethodPointer) UnresolvedVirtualCall_329,
(const Il2CppMethodPointer) UnresolvedVirtualCall_330,
(const Il2CppMethodPointer) UnresolvedVirtualCall_331,
(const Il2CppMethodPointer) UnresolvedVirtualCall_332,
(const Il2CppMethodPointer) UnresolvedVirtualCall_333,
(const Il2CppMethodPointer) UnresolvedVirtualCall_334,
(const Il2CppMethodPointer) UnresolvedVirtualCall_335,
(const Il2CppMethodPointer) UnresolvedVirtualCall_336,
(const Il2CppMethodPointer) UnresolvedVirtualCall_337,
(const Il2CppMethodPointer) UnresolvedVirtualCall_338,
(const Il2CppMethodPointer) UnresolvedVirtualCall_339,
(const Il2CppMethodPointer) UnresolvedVirtualCall_340,
(const Il2CppMethodPointer) UnresolvedVirtualCall_341,
(const Il2CppMethodPointer) UnresolvedVirtualCall_342,
(const Il2CppMethodPointer) UnresolvedVirtualCall_343,
(const Il2CppMethodPointer) UnresolvedVirtualCall_344,
(const Il2CppMethodPointer) UnresolvedVirtualCall_345,
(const Il2CppMethodPointer) UnresolvedVirtualCall_346,
(const Il2CppMethodPointer) UnresolvedVirtualCall_347,
(const Il2CppMethodPointer) UnresolvedVirtualCall_348,
(const Il2CppMethodPointer) UnresolvedVirtualCall_349,
(const Il2CppMethodPointer) UnresolvedVirtualCall_350,
(const Il2CppMethodPointer) UnresolvedVirtualCall_351,
(const Il2CppMethodPointer) UnresolvedVirtualCall_352,
(const Il2CppMethodPointer) UnresolvedVirtualCall_353,
(const Il2CppMethodPointer) UnresolvedVirtualCall_354,
(const Il2CppMethodPointer) UnresolvedVirtualCall_355,
(const Il2CppMethodPointer) UnresolvedVirtualCall_356,
(const Il2CppMethodPointer) UnresolvedVirtualCall_357,
(const Il2CppMethodPointer) UnresolvedVirtualCall_358,
(const Il2CppMethodPointer) UnresolvedVirtualCall_359,
(const Il2CppMethodPointer) UnresolvedVirtualCall_360,
(const Il2CppMethodPointer) UnresolvedVirtualCall_361,
(const Il2CppMethodPointer) UnresolvedVirtualCall_362,
(const Il2CppMethodPointer) UnresolvedVirtualCall_363,
(const Il2CppMethodPointer) UnresolvedVirtualCall_364,
(const Il2CppMethodPointer) UnresolvedVirtualCall_365,
(const Il2CppMethodPointer) UnresolvedVirtualCall_366,
(const Il2CppMethodPointer) UnresolvedVirtualCall_367,
(const Il2CppMethodPointer) UnresolvedVirtualCall_368,
(const Il2CppMethodPointer) UnresolvedVirtualCall_369,
(const Il2CppMethodPointer) UnresolvedVirtualCall_370,
(const Il2CppMethodPointer) UnresolvedVirtualCall_371,
(const Il2CppMethodPointer) UnresolvedVirtualCall_372,
(const Il2CppMethodPointer) UnresolvedVirtualCall_373,
(const Il2CppMethodPointer) UnresolvedVirtualCall_374,
(const Il2CppMethodPointer) UnresolvedVirtualCall_375,
(const Il2CppMethodPointer) UnresolvedVirtualCall_376,
(const Il2CppMethodPointer) UnresolvedVirtualCall_377,
(const Il2CppMethodPointer) UnresolvedVirtualCall_378,
(const Il2CppMethodPointer) UnresolvedVirtualCall_379,
(const Il2CppMethodPointer) UnresolvedVirtualCall_380,
<<<<<<< HEAD
(const Il2CppMethodPointer) UnresolvedVirtualCall_381,
(const Il2CppMethodPointer) UnresolvedVirtualCall_382,
=======
>>>>>>> 561e45ab38a14febf629de48709d3c518d906538
};
| [
"majaj62525@icloud.com"
] | majaj62525@icloud.com |
60064b439979e3337a30f7ad1e0658e5fd65bf41 | 19f18ab685e7b54daa751a1676fe1193f40dad7f | /Optiblech/problemmanager.h | f7d58f739c4eab6c1ab059139e7c04150ba22ccc | [] | no_license | CSNWEB/gi-2015 | e2deb42d6e8d80617ef39ad0554cb45a98d44c7d | 8fee9cd38d269cf972bb0a4a6c46d9bcee9b1237 | refs/heads/master | 2020-04-30T20:33:37.588255 | 2016-01-18T04:37:43 | 2016-01-18T04:37:43 | 45,478,251 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,145 | h | #ifndef PROBLEMMANAGER_H
#define PROBLEMMANAGER_H
#include "problem.hpp"
#include "abstractForm.hpp"
#include "inputHandler.hpp"
#include <QString>
#include <QListWidget>
#include <QPushButton>
#include <QSizeF>
#include <QSet>
#include "point.hpp"
#include "binPacking.hpp"
#include "formview.h"
class ProblemManager : public QObject
{
Q_OBJECT
signals:
void problemEmpty();
public:
ProblemManager(FormView * m_formview);
~ProblemManager();
void setUiElements(QListWidget* absFormList, QListWidget* m_pointList, QPushButton* solveButton);
void initAbsFormList();
int initPoints(int selectedForm);
QSizeF loadFromFile(QString fileName);
Problem getProblem();
Problem * getShowedProblem();
void setPlaneWidth(float width);
void setPlaneHeight(float height);
void addForm(QString name);
void renameForm(int selectedForm, QString name);
void delForm(int selectedForm);
void setAmountOfForm(int selectedForm, int amount);
void addPointToForm(int selectedForm, float x, float y);
void editPointOfForm(int selectedForm, int selectedPoint, float x, float y);
void delPointOfForm(int selectedForm, int selectedPoint);
void movePointUp(int selectedForm, int selectedPoint);
void movePointDown(int selectedForm, int selectedPoint);
/*!
* Checks if the form is valid and fits on the current plane size
* afterwards it updates the entry in the absFormList
*
* @param selectedForm index of the currently selected form that should be updated
*/
void updateForm(int selectedForm, bool show = true);
AbstractForm* getForm(int selectedForm);
private:
Problem problem;
//Because problem mutates the forms, we need another one for storing the showed and saved data
Problem m_showedProblem;
QListWidget* m_absFormList;
QListWidget* m_pointList;
QPushButton * m_solveButton;
FormView * m_formview;
QSet<int> m_invalidForms;
QString getAbsFormListItem(int i);
QString getPointListItem(int form, int point);
void setSolvableState(bool solvable);
};
#endif // PROBLEMMANAGER_H
| [
"staudtc@live.de"
] | staudtc@live.de |
d47f9d940bb70ec37d26cb75a4b4323f4bf8eade | b33a9177edaaf6bf185ef20bf87d36eada719d4f | /qttools/src/assistant/3rdparty/clucene/src/CLucene/search/HitQueue.h | 0bd196a7ffa6078f2b2d452cf7c085fd0ce56811 | [
"Apache-2.0",
"LGPL-2.1-only",
"LGPL-2.0-or-later",
"GPL-1.0-or-later",
"LGPL-2.1-or-later",
"LicenseRef-scancode-unknown-license-reference",
"Qt-LGPL-exception-1.1",
"LGPL-3.0-only",
"GPL-3.0-only",
"GPL-2.0-only",
"GFDL-1.3-only",
"LicenseRef-scancode-digia-qt-preview",
"LicenseRef-scancode-warranty-disclaimer",
"LicenseRef-scancode-proprietary-license",
"LicenseRef-scancode-other-copyleft",
"LicenseRef-scancode-generic-exception"
] | permissive | wgnet/wds_qt | ab8c093b8c6eead9adf4057d843e00f04915d987 | 8db722fd367d2d0744decf99ac7bafaba8b8a3d3 | refs/heads/master | 2021-04-02T11:07:10.181067 | 2020-06-02T10:29:03 | 2020-06-02T10:34:19 | 248,267,925 | 1 | 0 | Apache-2.0 | 2020-04-30T12:16:53 | 2020-03-18T15:20:38 | null | UTF-8 | C++ | false | false | 1,412 | h | /*------------------------------------------------------------------------------
* Copyright (C) 2003-2006 Ben van Klinken and the CLucene Team
*
* Distributable under the terms of either the Apache License (Version 2.0) or
* the GNU Lesser General Public License, as specified in the COPYING file.
------------------------------------------------------------------------------*/
#ifndef _lucene_search_HitQueue_
#define _lucene_search_HitQueue_
#if defined(_LUCENE_PRAGMA_ONCE)
# pragma once
#endif
#include "SearchHeader.h"
CL_NS_DEF(search)
/**
* An optimised PriorityQueue which takes ScoreDoc structs. Some by-ref passing
* and memory related optimisations have been done.
*/
class HitQueue: LUCENE_BASE {
private:
ScoreDoc* heap;
size_t _size;
size_t maxSize;
void upHeap();
void downHeap();
protected:
bool lessThan(struct ScoreDoc& hitA, struct ScoreDoc& hitB);
public:
void adjustTop();
struct ScoreDoc& top();
void put(struct ScoreDoc& element);
ScoreDoc pop();
/**
* Adds element to the PriorityQueue in log(size) time if either
* the PriorityQueue is not full, or not lessThan(element, top()).
* @param element
* @return true if element is added, false otherwise.
*/
bool insert(struct ScoreDoc& element);
/**
* Returns the number of elements currently stored in the PriorityQueue.
*/
size_t size();
HitQueue(const int32_t maxSize);
~HitQueue();
};
CL_NS_END
#endif
| [
"p_pavlov@wargaming.net"
] | p_pavlov@wargaming.net |
8890686531c63b33355f86af6a8ee9bfb192b5d0 | 1a9d14fc0a517c11da79cbf4f6090679b9d26cf9 | /mktestnode2_2.h | 9f3fb5b01c8b7522dd590cb150f162fe19ac8d51 | [] | no_license | MATF-RS19/RS018-miniknime | 7e8499e23e54dad08710dfad2fdec2dca91704b6 | ee6d4b0078ac5e7e597d192e7b46c4efb75260cb | refs/heads/master | 2020-04-04T22:56:18.880893 | 2019-01-14T15:38:53 | 2019-01-14T15:38:53 | 156,341,600 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 261 | h | #ifndef MKTESTNODE2_2_H
#define MKTESTNODE2_2_H
#include "mknode.h"
//A node with 2 inputs and 2 outputs
class MKTestNode2_2: public MKNode
{
public:
MKTestNode2_2();
virtual bool process_data() override;
};
#endif // MKTESTNODE2_2_H
| [
"99nine66@gmail.com"
] | 99nine66@gmail.com |
c9f8c01dee695e18c6b99ee79ae5e862f6821d29 | 32815cd1de61cfa78fd025486ba74249c08b009a | /college_life/codeforces/problemset/455a.cpp | a3ff18bb065bea5ff723146951137153005bd8d9 | [] | no_license | krshubham/compete | c09d4662eaee9f24df72059d67058e7564a4bc10 | d16b0f820fa50f8a7f686a7f93cab7f9914a3f9d | refs/heads/master | 2020-12-25T09:09:10.484045 | 2020-10-31T07:46:39 | 2020-10-31T07:46:39 | 60,250,510 | 2 | 1 | null | 2020-10-31T07:46:40 | 2016-06-02T09:25:15 | C++ | UTF-8 | C++ | false | false | 1,354 | cpp | #include <iostream>
#include <cstdio>
#include <vector>
#include <algorithm>
#include <set>
#include <map>
#include <cmath>
#include <utility>
#include <list>
#include <iomanip>
#include <stack>
#include <climits>
#include <queue>
#include <string>
#include <cstring>
using namespace std;
#define bye return 0
#define pb push_back
#define mp make_pair
#define mod(n) (n) % 1000000007
#define e_val 2.718281828
#define stp(a,b) a.push(b)
#define all(a) a.begin(),a.end()
#define PI 3.1415926535897932384626433832795
#define rep(i,n) for( int i = 0; i < n; i++ )
#define rrep(i,n) for(int i = n - 1 ; i >= 0 ; i--)
#define crep(i,a,b) for( int i = a; i <= b; i++ )
typedef long long int lli;
typedef long long ll;
typedef unsigned long long int ulli;
typedef pair<lli,lli> plli;
typedef vector<lli> vlli;
typedef map<string,lli> mslli;
typedef map<lli,lli> mlli;
typedef vector<pair<lli,lli> > vplli;
inline bool isPrime(lli n){
if (n <= 1) {
return false;
}
if (n <= 3) {
return true;
}
if (n%2 == 0 || n%3 == 0) {
return false;
}
for (int i=5; i*i<=n; i=i+6){
if (n%i == 0 || n%(i+2) == 0){
return false;
}
}
return true;
}
inline bool isEven(lli x){
if(x&1) return false;
else return true;
}
int main(){
ios_base::sync_with_stdio(0);
lli t,n,a,b,c,d,e,f,x,y;
cin>>n;
vlli v(n);
rep(i,n){
cin>>v[i];
}
bye;
}
| [
"kumar.shubham2015@vit.ac.in"
] | kumar.shubham2015@vit.ac.in |
6fb5a1965f8caf3e3a4787b54324bebd8fc49b07 | 4f8bb0eaafafaf5b857824397604538e36f86915 | /课件/计算几何/计算几何_陈海丰/计算几何代码/二分+圆的参数方程.cpp | 49703073b8b29e3e35bea193dbf6db072758c64e | [] | no_license | programmingduo/ACMsteps | c61b622131132e49c0e82ad0007227d125eb5023 | 9c7036a272a5fc0ff6660a263daed8f16c5bfe84 | refs/heads/master | 2020-04-12T05:40:56.194077 | 2018-05-10T03:06:08 | 2018-05-10T03:06:08 | 63,032,134 | 1 | 2 | null | null | null | null | GB18030 | C++ | false | false | 1,508 | cpp | /*二分+圆的参数方程(pku_2600)*/
#include <stdio.h>
#include <math.h>
const double eps = 1e-4;
const double pi = acos(-1.0);
struct TPoint
{
double x, y;
}p[60], a[60];
double angle[60];
double multi(TPoint p1, TPoint p2, TPoint p0)
{
return (p1.x - p0.x) * (p2.y - p0.y) - (p2.x - p0.x) * (p1.y - p0.y);
}
TPoint fine_a2(TPoint a1, TPoint m, double angle1)
{
TPoint a2;
double r, angle2, angle3;
r = sqrt((a1.x - m.x) * (a1.x - m.x) + (a1.y - m.y) * (a1.y - m.y));
angle2 = acos((a1.x - m.x) / r);
if(a1.y < m.y) {
if(angle2 <= pi / 2) angle2 = -angle2;
if(angle2 > pi / 2) angle2 = 3 * pi / 2 - (angle2 - pi / 2);
}
angle3 = angle2 - angle1;
a2.x = m.x + r * cos(angle3);
a2.y = m.y + r * sin(angle3);
if(multi(m, a2, a1) < 0) return a2;
angle3 = angle2 + angle1;
a2.x = m.x + r * cos(angle3);
a2.y = m.y + r * sin(angle3);
if(multi(m, a2, a1) < 0) return a2;
}
int main()
{
int n, i, j;
while(scanf("%d", &n) != EOF){
for(i = 0;i < n;i++){
scanf("%lf%lf", &p[i].x, &p[i].y);
}
for(i = 0;i < n;i++){
scanf("%lf", &angle[i]);
angle[i] = angle[i] * pi / 180;
}
a[0].x = 0;
a[0].y = 0;
while(1){
for(i = 1;i <= n;i++){
a[i] = fine_a2(a[i - 1], p[i - 1], angle[i - 1]);
}
if(fabs(a[n].x - a[0].x) <= eps
&& fabs(a[n].y - a[0].y) <= eps) break;
else {
a[0].x = (a[0].x + a[n].x) / 2;
a[0].y = (a[0].y + a[n].y) / 2;
}
}
for(i = 0;i < n;i++){
printf("%.0lf %.0lf\n", a[i].x, a[i].y);
}
}
return 0;
}
| [
"wuduotju@163.com"
] | wuduotju@163.com |
0d279679470975107398ac6abd12191e3411f238 | 9d0c1da53da9e60d4a891d7edb7a02c31c8d26b9 | /korn/polldrop.cpp | 7913bd14f9a6212c5af400bc2a8e00f18b10eafb | [] | no_license | serghei/kde3-kdepim | 7e6d4a0188c35a2c9c17babd317bfe3c0f1377d2 | a1980f1560de118f19f54a5eff5bae87a6aa4784 | refs/heads/master | 2021-01-17T10:03:14.624954 | 2018-11-04T21:31:00 | 2018-11-04T21:31:00 | 3,688,187 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,710 | cpp | /*
* polldrop.cpp -- Implementation of class KPollableDrop.
* Author: Sirtaj Singh Kang
* Version: $Id: polldrop.cpp 375049 2005-01-02 21:28:26Z mkelder $
* Generated: Sun Nov 30 22:41:49 EST 1997
*/
#include<kconfigbase.h>
#include"utils.h"
#include"polldrop.h"
KPollableDrop::KPollableDrop()
: KMailDrop()
{
_timerId = 0;
_timerRunning = false;
_freq = 300;
}
bool KPollableDrop::startMonitor()
{
if(!running())
{
recheck();
_timerId = startTimer(_freq * 1000);
_timerRunning = true;
return startProcess();
}
return false;
}
bool KPollableDrop::stopMonitor()
{
if(running())
{
killTimer(_timerId);
_timerId = 0;
_timerRunning = false;
return stopProcess();
}
return false;
}
void KPollableDrop::timerEvent(QTimerEvent *ev)
{
if(_timerRunning && (ev->timerId() == _timerId))
{
// this event is ours.
recheck(); // should be reimplemented by children.
}
else
{
QObject::timerEvent(ev);
}
}
bool KPollableDrop::readConfigGroup(const KConfigBase &cfg)
{
KMailDrop::readConfigGroup(cfg);
setFreq(cfg.readNumEntry(fu(PollConfigKey), DefaultPoll));
return true;
}
bool KPollableDrop::writeConfigGroup(KConfigBase &cfg) const
{
KMailDrop::writeConfigGroup(cfg);
cfg.writeEntry(fu(PollConfigKey), freq());
return true;
}
//void KPollableDrop::addConfigPage( KDropCfgDialog *dlg )
//{
// dlg->addConfigPage( new KPollCfg( this ) );
//
// KMailDrop::addConfigPage( dlg );
//}
const char *KPollableDrop::PollConfigKey = "interval";
const int KPollableDrop::DefaultPoll = 300; // 5 minutes
#include "polldrop.moc"
| [
"serghei.amelian@gmail.com"
] | serghei.amelian@gmail.com |
7e59cffa0bd88b1807a4a55983a7609c426fdd20 | ffff2a4fb72a163e4d42b01cefa1f5566784990f | /codeforces/contests/682div2/q4.cpp | 39b4661776beb380b2c713e1e00e1bd8d2a3bd98 | [] | no_license | sanyamdtu/competitive_programming | d5b4bb6a1b46c56ebe2fe684f4a7129fe5fb8e86 | 5a810bbbd0c2119a172305b16d7d7aab3f0ed95e | refs/heads/master | 2021-10-25T07:11:47.431312 | 2021-10-06T07:37:25 | 2021-10-06T07:37:25 | 238,703,031 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,461 | cpp | #include<bits/stdc++.h>
using namespace std;
#define pb push_back
#define mod 1000000007
#define INF 1e18
typedef long long ll;
int main()
{
ios_base::sync_with_stdio(0); cin.tie(0); cout.tie(0);
int t;
cin >> t;
while (t--)
{
int n;
cin>>n;
vector<vector<pair<int,int>>> g(n+1);
unordered_map<string,int> m;
for (int i = 0; i < n; ++i)
{
string name;
cin>>name;
// cout<<name<<" ";
m[name]=i+1;
int p;
cin>>p;
// cout<<p<<" ";
for (int j = 0; j < p; ++j)
{
int a,b;
cin>>a>>b;
g[i+1].pb({a,b});
}
// cout<<g[i][0].first<<" "<<endl;;
}
// for(auto i:g){
// for(auto j:i){
// cout<<j.first<<" ";
// }
// cout<<endl;
// }
int q;
cin>>q;
while(q--){
string u,v;
cin>>u>>v;
int x,y;
x=m[u];
y=m[v];
set<pair<int,int>> s;
int dist[n+1];
for (int i = 0; i < n+1; ++i)
{
dist[i]=INT_MAX;
}
dist[x]=0;
s.insert({dist[x],x});
// for(auto i:g[1])
while(!s.empty()){
int a=s.begin()->second;
// cout<<a<<" ";;
s.erase(s.begin());
for(auto i:g[a]){
// cout<<i.first<<" ";
if(dist[i.first]>dist[a]+i.second){
if(s.find({dist[i.first],i.first})!=s.end()){
s.erase(s.find({dist[i.first],i.first}));
}
dist[i.first]=dist[a]+i.second;
s.insert({dist[i.first],i.first});
}
}
// cout<<endl;
}
cout<<dist[y]<<endl;
// cout<<"pop"<<endl;;
}
}
return 0;
} | [
"sanyamexam.com"
] | sanyamexam.com |
4f0e1918cd8700bc83a7f265df86dbeda0e68499 | 2fe13005e9fae38b998f684b71f07443be4bf61f | /mscproject/AutoMixxer/jni/onset/VariableArray.h | 3ba5c632e8100540375ff7406290a4365b0c8f1b | [] | no_license | sentinelweb/masters | b2335dbb7939b5156507c9fb6ed6485f21f471b7 | 2695a9289033046412eed388476e87448494efb0 | refs/heads/master | 2021-01-25T08:48:56.298619 | 2012-12-05T14:59:04 | 2012-12-05T14:59:04 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 571 | h | /*
* VariableArray.h
*
* Created on: 06-Aug-2010
* Author: robm
* this class stores data in an expanding (by blocksize) array (up to 1000 blocks).
*/
#ifndef VARIABLEARRAY_H_
#define VARIABLEARRAY_H_
class VariableArray {
int size;
int rows;
void checkIncrement();
public:
int blockSize;
float **data;
int add(int _val);
int add(float _val);
float mean();
float max();
int getSize();
int get(float* _block,int _start, int _end);
float get(int _idx);
VariableArray(int _blockSize);
virtual ~VariableArray();
};
#endif /* VARIABLEARRAY_H_ */
| [
"sentinelwebtechnologies@gmail.com"
] | sentinelwebtechnologies@gmail.com |
bd132e3149d9c712a9970919952c267d404bfd0a | 7dd75f7e41dc61f0532651274f5a01d4159b2c0a | /tetris/game/renderer/loadshader.cc | 9ebde0cbb771b06208d44be9cda8b0909a23bf7f | [] | no_license | TTeun/tetris | ef69e45f4f6b483943c4e9fbca14eec7c96ebfac | 30c60f232a6b8eea9c1df690bcc62c538009da48 | refs/heads/master | 2021-01-09T06:07:29.607535 | 2017-02-05T13:26:02 | 2017-02-05T13:26:02 | 80,921,958 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,436 | cc | #include <vector>
#include <fstream>
GLuint LoadShaders(const char * vertex_file_path, const char * fragment_file_path) {
// Create the shaders
GLuint VertexShaderID = glCreateShader(GL_VERTEX_SHADER);
GLuint FragmentShaderID = glCreateShader(GL_FRAGMENT_SHADER);
// Read the Vertex Shader code from the file
std::string VertexShaderCode;
std::ifstream VertexShaderStream(vertex_file_path, std::ios::in);
if (VertexShaderStream.is_open()) {
std::string Line = "";
while (getline(VertexShaderStream, Line))
VertexShaderCode += "\n" + Line;
VertexShaderStream.close();
} else {
printf("Impossible to open %s. Are you in the right directory ? Don't forget to read the FAQ !\n", vertex_file_path);
// getchar();
}
// Read the Fragment Shader code from the file
std::string FragmentShaderCode;
std::ifstream FragmentShaderStream(fragment_file_path, std::ios::in);
if (FragmentShaderStream.is_open()) {
std::string Line = "";
while (getline(FragmentShaderStream, Line))
FragmentShaderCode += "\n" + Line;
FragmentShaderStream.close();
}
GLint Result = GL_FALSE;
int InfoLogLength;
// Compile Vertex Shader
// printf("Compiling shader : %s\n", vertex_file_path);
char const * VertexSourcePointer = VertexShaderCode.c_str();
glShaderSource(VertexShaderID, 1, &VertexSourcePointer , NULL);
glCompileShader(VertexShaderID);
// Check Vertex Shader
glGetShaderiv(VertexShaderID, GL_COMPILE_STATUS, &Result);
glGetShaderiv(VertexShaderID, GL_INFO_LOG_LENGTH, &InfoLogLength);
if ( InfoLogLength > 0 ) {
std::vector<char> VertexShaderErrorMessage(InfoLogLength + 1);
glGetShaderInfoLog(VertexShaderID, InfoLogLength, NULL, &VertexShaderErrorMessage[0]);
printf("%s\n", &VertexShaderErrorMessage[0]);
}
// Compile Fragment Shader
// printf("Compiling shader : %s\n", fragment_file_path);
char const * FragmentSourcePointer = FragmentShaderCode.c_str();
glShaderSource(FragmentShaderID, 1, &FragmentSourcePointer , NULL);
glCompileShader(FragmentShaderID);
// Check Fragment Shader
glGetShaderiv(FragmentShaderID, GL_COMPILE_STATUS, &Result);
glGetShaderiv(FragmentShaderID, GL_INFO_LOG_LENGTH, &InfoLogLength);
if ( InfoLogLength > 0 ) {
std::vector<char> FragmentShaderErrorMessage(InfoLogLength + 1);
glGetShaderInfoLog(FragmentShaderID, InfoLogLength, NULL, &FragmentShaderErrorMessage[0]);
printf("%s\n", &FragmentShaderErrorMessage[0]);
}
// Link the program
// printf("Linking program\n");
GLuint ProgramID = glCreateProgram();
glAttachShader(ProgramID, VertexShaderID);
glAttachShader(ProgramID, FragmentShaderID);
glLinkProgram(ProgramID);
// Check the program
glGetProgramiv(ProgramID, GL_LINK_STATUS, &Result);
glGetProgramiv(ProgramID, GL_INFO_LOG_LENGTH, &InfoLogLength);
if ( InfoLogLength > 0 ) {
std::vector<char> ProgramErrorMessage(InfoLogLength + 1);
glGetProgramInfoLog(ProgramID, InfoLogLength, NULL, &ProgramErrorMessage[0]);
printf("%s\n", &ProgramErrorMessage[0]);
}
glDetachShader(ProgramID, VertexShaderID);
glDetachShader(ProgramID, FragmentShaderID);
glDeleteShader(VertexShaderID);
glDeleteShader(FragmentShaderID);
return ProgramID;
} | [
"teunverstraaten@gmail.com"
] | teunverstraaten@gmail.com |
d9cedc01f2b48a2d852a49185a0db29b9532ed80 | 3d2fd5655d31e9bea3dbfc11c30cb232433f4214 | /QLuaCore/STDLIBS/Itetator.hpp | 2c04920bd37518cfa22e31837b4caf38b64e0005 | [] | no_license | ngzHappy/LUAFINAL | bc840ee9c21e9c62ed0e038b6be8d4da0164270c | d3019416d68c5fa0753062e6760440273885c90e | refs/heads/master | 2021-01-10T07:07:51.993668 | 2016-01-03T04:33:15 | 2016-01-03T04:33:15 | 48,638,653 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 12,308 | hpp |
#if !defined( ITETATOR__HPP__CCT__ )
#define ITETATOR__HPP__CCT__
#include <memory>
#include <type_traits>
#include <iterator>
namespace cct {
namespace _private {
template<typename T>
class ____HasKeyValue {
private:
typedef typename std::remove_cv< typename std::remove_reference< T >::type >::type T_;
class Yes ; class No;
template<typename U >
static Yes check_key( typename std::remove_reference< decltype( std::declval<U>().key() ) >::type * );
template<typename U >
static No check_key( ... );
template<typename U >
static Yes check_value( typename std::remove_reference< decltype( std::declval<U>().value() ) >::type * );
template<typename U >
static No check_value( ... );
public:
enum{
value =
(std::is_same<Yes ,decltype( check_value<T_>( 0 ) ) >::value) &&
(std::is_same<Yes ,decltype( check_value<T_>( 0 ) ) >::value)
};
};
template<typename T>
class __HasKeyValue :
public std::integral_constant<bool, (____HasKeyValue< typename std::remove_reference<T>::type >::value==true) > {
};
}
template< typename ... ValueType >
class Iterator;
template< typename ValueType >
class Iterator<ValueType> {
private:
typedef typename std::remove_reference<ValueType>::type type___;
typedef typename std::remove_cv<type___>::type type____;
typedef type____ value_type_;
private:
class IteratorDataCore {
public:
virtual void copy_instance(IteratorDataCore **)=0;
virtual void copy_equal(IteratorDataCore **)=0;
virtual void add()=0;
virtual bool not_equal(IteratorDataCore *) const=0;
virtual const value_type_ & value()=0;
virtual const value_type_ & value() const=0;
virtual ~IteratorDataCore()=default;
};
IteratorDataCore * data__;
template<typename U>
class IteratorData :
public IteratorDataCore {
public:
typedef typename std::remove_cv< typename std::remove_reference<U>::type >::type type_;
type_ data_;
public:
IteratorData(const type_ & v):data_(v) {}
void copy_instance(IteratorDataCore ** u) override final {
*u=new IteratorData(data_);
}
void copy_equal(IteratorDataCore ** v) override final {
auto * u_=dynamic_cast<IteratorData *>(*v);
if (u_) {
u_->data_=data_;
}
else {
delete *v;
copy_instance(v);
}
}
void add() override final { ++data_; }
bool not_equal(IteratorDataCore * u) const override final {
if (u==nullptr) { return false; }
auto * u_=dynamic_cast<IteratorData *>(u);
if (u_) {
return (u_->data_)!=data_;
}
return false;
}
const value_type_ & value() override final { return *data_; }
const value_type_ & value() const override final { return *data_; }
};
void release() { delete data__; data__=nullptr; }
public:
Iterator():data__(nullptr) {}
~Iterator() { release(); }
Iterator(Iterator && v):data__(v.data__) {
v.data__=nullptr;
}
Iterator(const Iterator & v) {
if (v.data__) {
v.data__->copy_instance(&data__);
return;
}
data__=nullptr;
}
Iterator& operator=(Iterator && v) {
if (this==&v) { return *this; }
if (data__==v.data__) { return *this; }
release();
data__=v.data__;
v.data__=nullptr;
return *this;
}
Iterator& operator=(const Iterator & v) {
if (this==&v) { return *this; }
if (data__==v.data__) { return *this; }
if (v.data__) {
v.data__->copy_equal(&data__);
}
else { release(); }
return *this;
}
Iterator & operator++() {
if (data__) { data__->add(); }return *this;
}
Iterator operator++(int) {
if (data__) {
Iterator tmp(*this);
data__->add();
return std::move(tmp);
}return *this;
}
template<typename U>
Iterator(const U & u):
data__(new IteratorData< typename std::remove_cv< typename std::remove_reference<U>::type >::type >(u)) {}
value_type_ & operator*() { return const_cast<value_type_ &>(data__->value()); }
const value_type_ & operator*() const { return data__->value(); }
value_type_ * operator->() { return &(const_cast<value_type_ &>(data__->value())); }
const value_type_ * operator->()const { return &(data__->value()); }
friend bool operator!=(const Iterator & l,const Iterator & r) {
if (l.data__==nullptr) { return false; }
if (l.data__==r.data__) { return false; }
return l.data__->not_equal(const_cast<IteratorDataCore *>(r.data__));
}
};
template<
typename KeyType,
typename ValueType >
class Iterator<KeyType,ValueType> {
private:
typedef typename std::remove_reference<ValueType>::type type___;
typedef typename std::remove_cv<type___>::type type____;
typedef typename std::remove_reference<KeyType>::type ___type;
typedef typename std::remove_cv<___type>::type ____type;
typedef const ____type key_type_;
typedef type____ value_type_;
private:
template<typename KV_, bool ISKV_ = false >
class HasKeyValue : public KV_ {
KV_ & data1_() { return *this; }
const KV_ & data1_()const { return *this; }
public:
using KV_::KV_;
HasKeyValue() {}
HasKeyValue(const KV_ &v):KV_(v) {}
HasKeyValue(KV_ &&v):KV_(std::move(v)) {}
const value_type_ & value() const { return data1_()->second; }
key_type_ & key() const { return data1_()->first; }
};
template<typename KV_ >
class HasKeyValue<KV_,true >
:public KV_ {
public:
using KV_::KV_;
HasKeyValue() {}
HasKeyValue(const KV_ &v):KV_(v) {}
HasKeyValue(KV_ &&v):KV_(std::move(v)) {}
key_type_ & key() const { return KV_::key(); }
const value_type_ & value() const { return KV_::value(); }
};
class IteratorDataCore {
public:
virtual void copy_instance(IteratorDataCore **)=0;
virtual void copy_equal(IteratorDataCore **)=0;
virtual void add()=0;
virtual bool not_equal(IteratorDataCore *) const=0;
virtual const value_type_ & value() const=0;
virtual const key_type_ & key()const=0;
virtual ~IteratorDataCore()=default;
};
IteratorDataCore * __data__;
template<typename U>
class IteratorData :
public IteratorDataCore {
public:
typedef typename std::remove_cv< typename std::remove_reference<U>::type >::type type_;
HasKeyValue< type_ ,_private::__HasKeyValue<type_>::value > data_;
public:
IteratorData(const type_ & v):data_(v) {}
void copy_instance(IteratorDataCore ** u) override final {
*u=new IteratorData(data_);
}
void copy_equal(IteratorDataCore ** v) override final {
auto * u_=dynamic_cast<IteratorData *>(*v);
if (u_) {
u_->data_=data_;
}
else {
delete *v;
copy_instance(v);
}
}
void add() override final { ++data_; }
bool not_equal(IteratorDataCore * u) const override final {
if (u==nullptr) { return false; }
auto * u_=dynamic_cast<IteratorData *>(u);
if (u_) {
return (u_->data_)!=data_;
}
return false;
}
const value_type_ & value() const override final { return data_.value(); }
key_type_ & key()const override final { return data_.key(); }
};
void release() { delete __data__; __data__=nullptr; }
public:
Iterator():__data__(nullptr) {}
~Iterator() { release(); }
Iterator(Iterator && v):__data__(v.__data__) {
v.__data__=nullptr;
}
Iterator(const Iterator & v) {
if (v.__data__) {
v.__data__->copy_instance(&__data__);
return;
}
__data__=nullptr;
}
Iterator& operator=(Iterator && v) {
if (this==&v) { return *this; }
if (__data__==v.__data__) { return *this; }
release();
__data__=v.__data__;
v.__data__=nullptr;
return *this;
}
Iterator& operator=(const Iterator & v) {
if (this==&v) { return *this; }
if (__data__==v.__data__) { return *this; }
if (v.__data__) {
v.__data__->copy_equal(&__data__);
}
else { release(); }
return *this;
}
Iterator & operator++() {
if (__data__) { __data__->add(); }return *this;
}
Iterator operator++(int) {
if (__data__) {
Iterator tmp(*this);
__data__->add();
return std::move(tmp);
}return *this;
}
template<typename U>
Iterator(const U & u):__data__(nullptr) {
typedef typename std::remove_cv< typename std::remove_reference<U>::type >::type U__;
__data__=new IteratorData< U__ >(u);
}
key_type_ & key() const { return __data__->key(); }
value_type_ & value() { return const_cast<value_type_ &>(__data__->value()); }
const value_type_ & value() const { return __data__.value(); }
value_type_ & operator*() { return const_cast<value_type_ &>(__data__->value()); }
const value_type_ & operator*() const { return __data__->value(); }
value_type_ * operator->() { return &(const_cast<value_type_ &>(__data__->value())); }
const value_type_ * operator->()const { return &(__data__->value()); }
friend bool operator!=(const Iterator & l,const Iterator & r) {
if (l.__data__==nullptr) { return false; }
if (l.__data__==r.__data__) { return false; }
return l.__data__->not_equal(const_cast<IteratorDataCore *>(r.__data__));
}
};
template<typename KV_,bool ISKV_= _private::__HasKeyValue<KV_>::value >
class LinkedIterator : public KV_ {
KV_ & data1_() { return *this; }
const KV_ & data1_()const { return *this; }
const auto & key_() const { return data1_()->first; }
const auto & value_() const { return data1_()->second; }
public:
using KV_::KV_;
LinkedIterator() {}
LinkedIterator(const KV_ &v):KV_(v) {}
LinkedIterator(KV_ &&v):KV_(std::move(v)) {}
LinkedIterator(const LinkedIterator &)=default;
LinkedIterator(LinkedIterator &&)=default;
const auto & value()const { return value_(); }
const auto & key() const { return key_(); }
const auto * operator->()const { return &(value_()); }
auto & value() {
typedef typename std::remove_cv< typename std::remove_reference< decltype(value_()) >::type >::type A_;
return const_cast<A_ &>(value_());
}
auto * operator->() {
typedef typename std::remove_cv< typename std::remove_reference< decltype(value_()) >::type >::type A_;
return &(const_cast<A_ &>(value_()));
}
};
template<typename KV_ >
class LinkedIterator<KV_,true >
:public KV_ {
const auto & key_() const { return KV_::key(); }
const auto & value_()const { return KV_::value(); }
public:
using KV_::KV_;
LinkedIterator() {}
LinkedIterator(const KV_ &v):KV_(v) {}
LinkedIterator(KV_ &&v):KV_(std::move(v)) {}
LinkedIterator(const LinkedIterator &)=default;
LinkedIterator(LinkedIterator &&)=default;
const auto & value()const { return value_(); }
const auto * operator->()const { return &(value_()); }
const auto & key() const { return key_(); }
auto & valule() {
typedef typename std::remove_cv< typename std::remove_reference< decltype(value_()) >::type >::type A_;
return const_cast<A_ &>(value_());
}
auto * operator->() {
typedef typename std::remove_cv< typename std::remove_reference< decltype(value_()) >::type >::type A_;
return &(const_cast<A_ &>(value_()));
}
};
template<typename T>
auto makeLinkedIterator(T && i) {
typedef typename std::remove_cv< typename std::remove_reference<T>::type >::type T_;
return LinkedIterator<T_>(std::forward<T>(i));
}
}/*~cct*/
#endif
| [
"819869472@qq.com"
] | 819869472@qq.com |
331aeea5bb0222949c646d91a0ecd852ed2e4e76 | 8c95f40b66824cfdd2614357c371d2e638c2aef5 | /algorithm-study/week_2/9935_mel1015.cpp | 84c7255b5049285266c906f67d80d35b1acb9e93 | [] | no_license | mel1015/algorithm-study | 0d35339fbd5638c6ff2890b6ee176be318317155 | 52e702cbe137ab67a5c181def5cfe8ab127bcf08 | refs/heads/master | 2021-06-04T05:49:31.855158 | 2020-10-23T12:04:56 | 2020-10-23T12:04:56 | 96,533,348 | 3 | 4 | null | 2018-08-06T06:35:06 | 2017-07-07T11:45:41 | C++ | UTF-8 | C++ | false | false | 1,458 | cpp | //
// Created by sks10 on 2018-01-07.
//
#include <iostream>
#include <cstring>
#include <vector>
using namespace std;
char Text[1000001];
char Bomb[37];
int main() {
cin >> Text >> Bomb;
// 캐릭터형 백터 선언
vector<char> myvector;
// 주어진 문자열과 폭발 문자열 길이 저장
int str_length = strlen(Text);
int bomb_length = strlen(Bomb);
for (int i = 0; i < str_length; ++i) {
// 벡터에 문자 하나씩 저장
myvector.push_back(Text[i]);
int count = 0;
// 벡터에 폭발 문자열이 들어왔는지 확인
// 폭발 문자열의 마지막 문자가 벡터에 들어오면
// 현재 인덱스에서 폭발 문자열의 크기만큼 벡터의 앞 내용을 확인
if (myvector.size() >= bomb_length && Text[i] == Bomb[bomb_length-1]) {
int index = myvector.size();
for (int j = 0; j < bomb_length; ++j) {
if (myvector.at(index - bomb_length + j) == Bomb[j]) {
count++;
}
}
if (count == bomb_length) {
for (int j = 0; j < bomb_length; ++j) {
myvector.pop_back();
}
}
}
}
if (myvector.empty()) {
cout << "FRULA" << endl;
} else {
for (int i = 0; i < myvector.size(); ++i) {
cout << myvector[i];
}
}
return 0;
} | [
"sks1015sks@naver.com"
] | sks1015sks@naver.com |
b2e18b2492143919cf9928976fe32407a3db298b | 4c1c8ff89a121e8c4371beb759643bf943f85bf4 | /BENITO program/mando/Mando_version_UNIFICADO_0_1_3/transmison_datos.ino | 2aaf823394a5ac36f4dd4e4f2881475293c08216 | [] | no_license | ebludt/BENITO | 6020867eb953170888e6d014e7b6e093b5274e00 | fb56297e20a79ab8fde679323c041717c3be21b8 | refs/heads/master | 2021-06-06T14:44:14.498352 | 2017-04-02T15:05:26 | 2017-04-02T15:05:26 | 29,688,540 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,889 | ino | #include "Arduino.h"
//función que envia y recibe datos con el robot
void enviardatos(){
long ultimoMillis = 0; //almacenamos ultimo tiempo donde no hemos recibido conexión
unsigned long actualMillis;
boolean recibido=false;
/*
Serial.print (Vals[0]);
Serial.print (" ");
Serial.print (Vals[1]);
Serial.print (" ");
Serial.print (Vals[2]);
Serial.print (" ");
Serial.print (Vals[3]);
//Serial.print (" ");
//Serial.print (analogRead(JoyPinLY));
//Serial.print (" ");
//Serial.print (analogRead(JoyPinLX));
Serial.println (" -- ");
*/
switch (control_rc){
//////////////////////////////////////////////////////////// NRF24L01////////////////////////////////////////
case 1:
//control nrfl2401
Mirf.setTADDR((byte *)"recep");
Mirf.send((byte *) &Vals);
while(Mirf.isSending()){
//
//Wait.
Serial.println ("+");
}
digitalWrite(PinLed, LOW);
delay(50);
///////////////////////////RECEPCION
if(Mirf.dataReady()){
Mirf.getData((byte *) &Vals);
Serial.println("-");
}
if (Vals[4]==150){
digitalWrite(PinLed, HIGH);
}
else{
contador=contador+1;
}
millis_ahora=millis();
if (millis_ahora - millis_antes > intervalo_muestra)
{
millis_antes=millis_ahora;
Serial.print(Vals[0]);
Serial.print(" ");
Serial.print(Vals[5]);
Serial.print(" ");
Serial.println(contador);
digitalWrite(PinLed, HIGH);
}
//digitalWrite(PinLed, HIGH);
//Serial.println("=");
//Serial.println ("nrfl");
break;
case 2:
//control mediante serial
datosenviar.LY=Vals[0];
datosenviar.LX=Vals[1];
datosenviar.RY=Vals[2];
datosenviar.RX=Vals[3];
datosenviar.Control=Vals[4];
datosenviar.Vel=Vals[5];
digitalWrite(max485en,HIGH); //activa el max845 en modo de transmisión
ETout.sendData(); //envia datos
delay(50); //pausa para que los datos se envien
digitalWrite(max485en,LOW); //coloca el max485 en modo recepción
//pasamos a recepción.
ultimoMillis=millis();
do
{
//digitalWrite(PinLed,LOW);
if(ETin.receiveData()){
recibido=true;
if (datosrecibir.prueba >10){
digitalWrite(PinLed,HIGH);
}
else{
digitalWrite(PinLed,LOW);
}
// digitalWrite(PinLed,LOW);
}
delay(10);
actualMillis=millis();
if (actualMillis-ultimoMillis> 50){
recibido=true;
}
}
while (recibido==false);
//Serial.println ("serial");
break;
default:
// if nothing else matches, do the default
// default is optional
//Serial.println ("otro");
break;
}
}
| [
"ebludt@yahoo.es"
] | ebludt@yahoo.es |
cf46b1665239285f6d1480d59b304ebe8779f10f | a7445e8841d5100b902291eab0b30355ed96b1b5 | /OS-CA2-810197633/Cannot come to root/src/Store.cpp | 4fc98fad9e0cb93865d690f1424d370c216d33f8 | [] | no_license | Triple3A/FindMaxGoods | 7fcdea075fcbd831d5c882725ca5b74e28e301df | 139f13c4b8c3752803597df4bd0ac6104b8ce3f7 | refs/heads/main | 2023-01-19T21:51:31.575052 | 2020-11-28T11:43:25 | 2020-11-28T11:43:25 | 312,916,785 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,739 | cpp | #include "Store.h"
#include "Tools.h"
#include <iostream>
#include <fstream>
using namespace std;
Store::Store(int _fdRead)
{
fdRead = _fdRead;
char message[2048];
read(fdRead, message, 2048);
vector<string> words = Tools::splitByCharacter(message, LESS);
directory = words[0];
command = words[1];
words = Tools::splitByCharacter(command, SPACE);
goal = words[0];
id = stoi(words[1]);
startDate = words[2];
endDate = words[3];
storeCount = 0;
this->createNamedPipe();
}
Store::~Store() {}
void Store::createNamedPipe()
{
mkfifo(STORE_FILE_PATH, 0666);
}
void Store::openCSV()
{
fstream fin;
fin.open(directory, ios::in);
vector<string> row;
string temp;
fin >> temp;
while(fin >> temp)
{
row = Tools::splitByCharacter(temp, COMMA);
string date = row[0];
int product_id = stoi(row[1]);
int price = stoi(row[2]);
if(checkProduct(date, product_id))
costs.push_back(price);
}
fin.close();
}
bool Store::checkProduct(string date, int product_id)
{
if (product_id == id)
if (strcmp(startDate.c_str(), date.c_str()) == -1 && strcmp(endDate.c_str(), date.c_str()) == 1)
return true;
return false;
}
void Store::findGoal()
{
if(goal == MAX)
output = Tools::findMax(costs);
else if(goal == MIN)
output = Tools::findMin(costs);
}
void Store::sendGoal()
{
// for(int i = 0; i < costs.size(); i++)
// cout << costs[i] << endl;
int fd = open(STORE_FILE_PATH, O_WRONLY);
char cost[100];
cout << "Store:" << output << endl;
strcpy(cost, (to_string(output)).c_str());
write(fd, cost, strlen(cost) + 1);
close(fd);
} | [
"noreply@github.com"
] | Triple3A.noreply@github.com |
0d80fd15b911a1d2bd02d3c79976f7003e0df3a2 | 4897b9d75d851a81606d19a0e046b32eb16aa1bd | /problemset-new/007/00703-kth-largest-element-in-a-stream/703-tiankonguse.cpp | f90ccb05a216f39fda20e9a51337dca5a184d265 | [] | no_license | tiankonguse/leetcode-solutions | 0b5e3a5b3f7063374e9543b5f516e9cecee0ad1f | a36269c861bd5797fe3835fc179a19559fac8655 | refs/heads/master | 2023-09-04T11:01:00.787559 | 2023-09-03T04:26:25 | 2023-09-03T04:26:25 | 33,770,209 | 83 | 38 | null | 2020-05-12T15:13:59 | 2015-04-11T09:31:39 | C++ | UTF-8 | C++ | false | false | 867 | cpp | /*************************************************************************
> File Name: kth-largest-element-in-a-stream.cpp
> Author: tiankonguse
> Mail: i@tiankonguse.com
> Created Time: Fri May 17 01:19:55 2019
> link: https://leetcode.com/problems/kth-largest-element-in-a-stream/
> No: 703. Kth Largest Element in a Stream
> Contest:
************************************************************************/
#include "../../include/base.h"
class KthLargest {
multiset<int> s;
int k;
public:
KthLargest(int k, vector<int>& nums) {
this->k = k;
for(int i=0;i<nums.size();i++){
this->add(nums[i]);
}
}
int add(int val) {
s.insert(val);
while(s.size() > k){
s.erase(s.begin());
}
return *s.begin();
}
};
| [
"i@tiankonguse.com"
] | i@tiankonguse.com |
8f905d9e73dc7247b2cc7bf33f7952ece1d91e6c | be64c5b988ca67e3d20f8d9aa9facc2c8e9cb815 | /inc/ascend/presenter.hpp | 5ab3fc953b2470ca954cb94863a452f6174d873f | [
"BSD-2-Clause"
] | permissive | mo-xiaoming/atlas200dk-face-detection-cpp | 1b58ef44d2dfa7c0328e2e10269710076dbd7527 | 2846c1ea8d7f439ec5f4845f8ff5ee959b087a73 | refs/heads/main | 2023-02-16T16:09:04.970299 | 2021-01-12T13:26:08 | 2021-01-12T13:26:15 | 328,346,889 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 548 | hpp | #pragma once
#include <vector>
#include "ascenddk/presenter/agent/presenter_types.h"
#include "utility.hpp"
namespace ascend::presenter {
class Channel;
}
namespace hwmedia {
struct Presenter {
explicit Presenter(std::string conf_path);
~Presenter() = default;
DISABLE_COPY_MOVE(Presenter);
[[nodiscard]] bool show(void* data, int size, Resolution resolution,
std::vector<ascend::presenter::DetectionResult> results) const;
private:
ascend::presenter::Channel* channel_ = nullptr;
};
} // namespace hwmedia | [
"mo_xiao_ming@yahoo.com"
] | mo_xiao_ming@yahoo.com |
62879af5bb7b01254f942a3b37df7c0396b95f58 | ab59c65783b36089483dbe8e358f34b4c11cef52 | /Kurtzpel/Engine/Utility/Code/GameObject.cpp | 9c81e8b6a92a34c08696cb553259126f533b0dfd | [] | no_license | sneg7777/Char_Kurtzpel | c6f5e4ab3e9d74f7d6a6350a94a513930c1a58f1 | db291678ef8b20cca63e0efb33569b83d741bcf1 | refs/heads/main | 2023-02-26T11:55:29.428033 | 2020-12-25T12:18:07 | 2020-12-25T12:18:07 | 322,955,816 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,625 | cpp | #include "GameObject.h"
USING(Engine)
Engine::CGameObject::CGameObject(LPDIRECT3DDEVICE9 pGraphicDev)
: m_pGraphicDev(pGraphicDev)
{
Safe_AddRef(m_pGraphicDev);
}
Engine::CGameObject::~CGameObject(void)
{
}
Engine::_int Engine::CGameObject::Update_Object(const _float& fTimeDelta)
{
_int iExit = 0;
for (auto& iter : m_mapComponent[ID_DYNAMIC])
{
iExit = iter.second->Update_Component(fTimeDelta);
if (iExit & 0x80000000)
{
MSG_BOX("Component Problem");
return -1;
}
}
return iExit;
}
CComponent * CGameObject::Find_Component(const _tchar * pComponentTag, COMPONENTID eID)
{
auto iter = find_if(m_mapComponent[eID].begin(), m_mapComponent[eID].end(), CTag_Finder(pComponentTag));
if (iter == m_mapComponent[eID].end())
return nullptr;
return iter->second;
}
CComponent * CGameObject::Get_Component(const _tchar * pComponentTag, COMPONENTID eID)
{
Engine::CComponent* pComponent = Find_Component(pComponentTag, eID);
if (nullptr == pComponent)
return nullptr;
return pComponent;
}
void CGameObject::Compute_ViewZ(const _vec3 * pPos)
{
_matrix matCamWorld;
m_pGraphicDev->GetTransform(D3DTS_VIEW, &matCamWorld);
D3DXMatrixInverse(&matCamWorld, NULL, &matCamWorld);
_vec3 vCamPos;
memcpy(&vCamPos, &matCamWorld.m[3][0], sizeof(_vec3));
m_fViewZ = D3DXVec3Length(&(vCamPos - *pPos));
}
void Engine::CGameObject::Free(void)
{
for (_uint i = 0; i < ID_END; ++i)
{
for_each(m_mapComponent[i].begin(), m_mapComponent[i].end(), CDeleteMap());
m_mapComponent[i].clear();
}
Safe_Release(m_pGraphicDev);
}
void Engine::CGameObject::Collision(CGameObject* _col)
{
}
| [
"71835115+sneg7777@users.noreply.github.com"
] | 71835115+sneg7777@users.noreply.github.com |
bbcf86ba96613005b67fce24f56b33ab0d811d4a | 756ff3ca00bb5f94ea17314257ff2f15c3b23436 | /main.cpp | 2dc66142e4fc62a2f8be40c9dddd8afda27b82a4 | [] | no_license | tzAcee/honor_bouncing | 0b5f2b2de18eee98d31452799c506c4b962698c0 | 25574a0e57189dea958a213bdc6f637adc035291 | refs/heads/master | 2022-12-26T07:22:14.951706 | 2020-10-08T18:11:06 | 2020-10-08T18:11:06 | 302,424,085 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 190 | cpp | #include <SFML/Graphics.hpp>
#include "Manager.hpp"
int main()
{
sf::RenderWindow win(sf::VideoMode(400, 400), "Honor Showcase");
Manager _man(win);
_man.run();
return 1;
} | [
"maximleis3@gmail.com"
] | maximleis3@gmail.com |
e1e5299502d7c5e6327391225ece13d1c5d8d450 | ad5b72656f0da99443003984c1e646cb6b3e67ea | /src/plugins/intel_myriad/graph_transformer/include/vpu/frontend/ShaveElfMetadataParser.h | be4efbd35e3c7b7757c6a3552d3106032d3e5068 | [
"Apache-2.0"
] | permissive | novakale/openvino | 9dfc89f2bc7ee0c9b4d899b4086d262f9205c4ae | 544c1acd2be086c35e9f84a7b4359439515a0892 | refs/heads/master | 2022-12-31T08:04:48.124183 | 2022-12-16T09:05:34 | 2022-12-16T09:05:34 | 569,671,261 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,886 | h | // Copyright (C) 2018-2022 Intel Corporation
// SPDX-License-Identifier: Apache-2.0
//
#ifndef SHAVE_METADATA_PARSER_H_INCLUDED
#define SHAVE_METADATA_PARSER_H_INCLUDED
#include <string>
#include <vector>
#include <cassert>
#include <cstring>
#include "ShaveElfMetadata.h"
struct md_parser_t {
md_parser_t(const uint8_t *data, size_t data_size,
const char *strtab,
size_t strtab_size)
: hdr(reinterpret_cast<const md_header_t *>(data)),
kernel_descriptor(reinterpret_cast<const md_kernel_descriptor_t *>(
data + hdr->kernel_first)),
kernel_argument(reinterpret_cast<const md_kernel_argument_t *>(
data + hdr->arg_first)),
kernel_sipp_info(reinterpret_cast<const md_kernel_sipp_info_t *>(
data + hdr->sipp_info_first)),
expr_node(reinterpret_cast<const md_expr_node_t *>(
data + hdr->expr_node_first)),
expr(reinterpret_cast<const md_expr_t *>(data + hdr->expr_first)),
func(reinterpret_cast<const md_function_t *>(data + hdr->func_first)),
strtab(strtab), strtab_size(strtab_size) {
(void)data_size;
(void)strtab_size;
assert(hdr->version == md_version_latest);
}
// Return the metadata version
//
md_version_t get_version() const {
return static_cast<md_version_t>(hdr->version);
}
// Get a kernel by name
//
const md_kernel_descriptor_t *get_kernel(const std::string &name) const {
for (uint32_t i=0; i < hdr->kernel_count; ++i) {
const md_kernel_descriptor_t *d = get_kernel(i);
const char *n = get_name(d);
if (name == n) {
return d;
}
}
return nullptr;
}
// Get a kernel id by name
//
int get_kernel_id(const std::string& name) const {
for (uint32_t i = 0; i < hdr->kernel_count; ++i) {
const md_kernel_descriptor_t* d = get_kernel(i);
const char* n = get_name(d);
if (name == n) {
return i;
}
}
return -1;
}
// Return true if a kernel has a specific variant
//
bool kernel_has_variant(const md_kernel_descriptor_t *kernel,
md_kernel_variant_type_t variant) const {
const auto &v = kernel->variant[ variant ];
return v.name != md_invalid_index &&
v.func != md_invalid_index;
}
// return the load address of a kernel variant
//
uint32_t get_kernel_load_addr(const md_kernel_descriptor_t *kernel, const md_kernel_variant_type_t variant) {
if (!kernel_has_variant(kernel, variant)) {
return 0;
}
const auto &v = kernel->variant[ variant ];
const md_function_t &f = func[v.func];
return f.load_address;
}
// Get a rough stack size estimate for a kernel variant
//
uint32_t get_kernel_stack_estimate(const md_kernel_descriptor_t *kernel,
md_kernel_variant_type_t variant,
const uint32_t local_size[3]) const {
const uint32_t local_area = local_size[0] * local_size[1] * local_size[2];
const uint32_t per_wi = local_area * kernel->stack_size_wi;
const uint32_t per_wg = kernel->stack_size_wg;
const uint32_t factor = kernel->variant[variant].factor;
switch (variant) {
case md_variant_vectorized:
case md_variant_unrolled: return per_wg + per_wi * factor;
case md_variant_scalar:
default: return per_wg + per_wi;
}
}
// Return the number of local arguments a kernel has
//
uint32_t get_num_local_args(const md_kernel_descriptor_t *kernel) const {
uint32_t out = 0;
for (uint32_t i = 0; i < kernel->arg_count; ++i) {
const md_kernel_argument_t *arg = get_argument(kernel->arg_index + i);
out += arg->addr_space == md_addr_space_local;
}
return out;
}
// Get the number of distinct kernels in this file
//
uint32_t get_kernel_count() const {
return hdr->kernel_count;
}
// Get a function by index
//
const md_function_t *get_func_ptr(uint32_t index) const {
assert(index != md_invalid_index && index < hdr->func_count);
return func + index;
}
// Get a kernel by load address
//
const md_kernel_descriptor_t *get_kernel_by_addr(uint32_t addr) const {
for (uint32_t i = 0; i < hdr->kernel_count; ++i) {
const md_kernel_descriptor_t *desc = get_kernel(i);
for (uint32_t j = 0; j < md_VARIANT_COUNT; ++j) {
const uint32_t index = desc->variant[j].func;
if (index == md_invalid_index) {
continue;
}
const md_function_t *ptr = get_func_ptr(index);
if (ptr->load_address == addr) {
return desc;
}
}
}
return nullptr;
}
// Get a kernel by index
//
const md_kernel_descriptor_t *get_kernel(uint32_t index) const {
assert(index < hdr->kernel_count);
return kernel_descriptor + index;
}
// Get an argument by index
//
const md_kernel_argument_t *get_argument(uint32_t index) const {
assert(index < hdr->arg_count);
return kernel_argument + index;
}
// Get SIPP info by index
//
const md_kernel_sipp_info_t *get_sipp_info(uint32_t index) const {
assert(index < hdr->sipp_info_count);
return kernel_sipp_info + index;
}
// Get an expression node by index
//
const md_expr_node_t *get_expr_node(uint32_t index) const {
assert(index < hdr->expr_node_count);
return expr_node + index;
}
// Get an expression by index
//
const md_expr_t *get_expr(uint32_t index) const {
assert(index < hdr->expr_count);
return expr + index;
}
// Get a kernel argument for a specific kernel by position
//
const md_kernel_argument_t *get_argument(const md_kernel_descriptor_t *kernel, uint32_t index) const {
assert(index < kernel->arg_count);
return get_argument(kernel->arg_index + index);
}
// Return the name of a kernel
//
const char *get_name(const md_kernel_descriptor_t *kernel) const {
return strtab + kernel->name;
}
// Return the name of an argument
//
const char *get_name(const md_kernel_argument_t *arg) const {
return strtab + arg->name;
}
// Evaluate an arbitary expression
//
uint32_t evaluate_expr(const md_expr_t *expression,
const uint32_t local_size[3],
const uint32_t global_size[3],
const uint32_t *param,
uint32_t param_count) const;
protected:
// structure parsers
const md_header_t *hdr;
const md_kernel_descriptor_t *kernel_descriptor;
const md_kernel_argument_t *kernel_argument;
const md_kernel_sipp_info_t *kernel_sipp_info;
const md_expr_node_t *expr_node;
const md_expr_t *expr;
const md_function_t *func;
// string table
const char *strtab;
const size_t strtab_size;
};
#endif // SHAVE_METADATA_PARSER_H_INCLUDED
| [
"noreply@github.com"
] | novakale.noreply@github.com |
5f0da15115575b8aca406695b408f8c94b7a1d6f | 99a777f6bcf36b466ef494fb855fd0d89b13947a | /src/activemasternode.h | 2ebb9eb6617ba28d8acde36c93ee861a642ba0c8 | [
"MIT"
] | permissive | phelixx372/Hydra | 99fc2c29feecd6bc01e5a663e1bc195338feded4 | 5459ae1eddcde3de68aaab049799080f05b93bae | refs/heads/master | 2020-03-11T06:09:54.481427 | 2018-04-11T20:35:59 | 2018-04-11T20:35:59 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,847 | h | // Copyright (c) 2009-2010 Satoshi Nakamoto
// Copyright (c) 2009-2012 The DarkCoin developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#ifndef ACTIVEMASTERNODE_H
#define ACTIVEMASTERNODE_H
#include "uint256.h"
#include "sync.h"
#include "net.h"
#include "key.h"
#include "masternode.h"
#include "main.h"
#include "init.h"
#include "wallet.h"
#include "darksend.h"
// Responsible for activating the masternode and pinging the network
class CActiveMasternode
{
public:
// Initialized by init.cpp
// Keys for the main masternode
CPubKey pubKeyMasternode;
// Initialized while registering masternode
CTxIn vin;
CService service;
int status;
std::string notCapableReason;
CActiveMasternode()
{
status = MASTERNODE_NOT_PROCESSED;
}
void ManageStatus(); // manage status of main masternode
bool Dseep(std::string& errorMessage); // ping for main masternode
bool Dseep(CTxIn vin, CService service, CKey key, CPubKey pubKey, std::string &retErrorMessage, bool stop); // ping for any masternode
bool StopMasterNode(std::string& errorMessage); // stop main masternode
bool StopMasterNode(std::string strService, std::string strKeyMasternode, std::string& errorMessage); // stop remote masternode
bool StopMasterNode(CTxIn vin, CService service, CKey key, CPubKey pubKey, std::string& errorMessage); // stop any masternode
/// Register remote Masternode
bool Register(std::string strService, std::string strKey, std::string txHash, std::string strOutputIndex, std::string strRewardAddress, std::string strRewardPercentage, std::string& errorMessage);
/// Register any Masternode
bool Register(CTxIn vin, CService service, CKey key, CPubKey pubKey, CKey keyMasternode, CPubKey pubKeyMasternode, CScript rewardAddress, int rewardPercentage, std::string &retErrorMessage);
// get 5000 xDra input that can be used for the masternode
bool GetMasterNodeVin(CTxIn& vin, CPubKey& pubkey, CKey& secretKey);
bool GetMasterNodeVin(CTxIn& vin, CPubKey& pubkey, CKey& secretKey, std::string strTxHash, std::string strOutputIndex);
bool GetMasterNodeVinForPubKey(std::string collateralAddress, CTxIn& vin, CPubKey& pubkey, CKey& secretKey);
bool GetMasterNodeVinForPubKey(std::string collateralAddress, CTxIn& vin, CPubKey& pubkey, CKey& secretKey, std::string strTxHash, std::string strOutputIndex);
vector<COutput> SelectCoinsMasternode();
vector<COutput> SelectCoinsMasternodeForPubKey(std::string collateralAddress);
bool GetVinFromOutput(COutput out, CTxIn& vin, CPubKey& pubkey, CKey& secretKey);
// enable hot wallet mode (run a masternode with no funds)
bool EnableHotColdMasterNode(CTxIn& vin, CService& addr);
};
#endif
| [
"38270322+HydraOfficial@users.noreply.github.com"
] | 38270322+HydraOfficial@users.noreply.github.com |
d90f006cfb0e4ea4c7c08700cfe678c4f20b4d99 | bb7645bab64acc5bc93429a6cdf43e1638237980 | /Official Windows Platform Sample/Windows 8.1 Store app samples/99866-Windows 8.1 Store app samples/Lock Screen Call SDK Sample/C++/App.xaml.h | 332abf9ff488d0effe93ed3247ed7294ecf6b323 | [
"MIT"
] | permissive | Violet26/msdn-code-gallery-microsoft | 3b1d9cfb494dc06b0bd3d509b6b4762eae2e2312 | df0f5129fa839a6de8f0f7f7397a8b290c60ffbb | refs/heads/master | 2020-12-02T02:00:48.716941 | 2020-01-05T22:39:02 | 2020-01-05T22:39:02 | 230,851,047 | 1 | 0 | MIT | 2019-12-30T05:06:00 | 2019-12-30T05:05:59 | null | UTF-8 | C++ | false | false | 748 | h | //*********************************************************
//
// Copyright (c) Microsoft. All rights reserved.
//
//*********************************************************
//
// App.xaml.h
// Declaration of the App.xaml class.
//
#pragma once
#include "pch.h"
#include "App.g.h"
#include "MainPage.g.h"
namespace SDKSample
{
ref class App
{
internal:
App();
virtual void OnSuspending(Platform::Object^ sender, Windows::ApplicationModel::SuspendingEventArgs^ pArgs);
protected:
virtual void OnLaunched(Windows::ApplicationModel::Activation::LaunchActivatedEventArgs^ pArgs) override;
virtual void OnActivated(Windows::ApplicationModel::Activation::IActivatedEventArgs^ args) override;
};
}
| [
"v-tiafe@microsoft.com"
] | v-tiafe@microsoft.com |
40e666aedc40c18a2e86224c8376cbb180cd3f3b | 9caf72f30a59afba4b615160e4dcff8c038a360a | /CodePublisher/Display/Display.cpp | 8cfdaf0f72b156ab3362c5f4c75e3e2837fe73fe | [] | no_license | asraman/RemoteCodePageManagement | 9b9749395ccc8951e468b945e64b1cd2d7d28f32 | 397ef5fb4dcc59ea82a475182091481e9af300aa | refs/heads/master | 2020-07-09T08:19:41.454214 | 2019-08-23T18:18:38 | 2019-08-23T18:18:38 | 203,924,605 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 2,023 | cpp | ///////////////////////////////////////////////////////////////////////////
// Display.h : implements webpage display using browser functions //
// ver 1.0 //
// //
// Platform : Visual Studio Enterprise 2017, Windows 10 Pro x64 //
// Author : Anirudh Raman, Syracuse University //
// asraman@syr.edu //
///////////////////////////////////////////////////////////////////////////
#include "display.h"
#include "../Process/Process.h"
// Default Constructor
display::display()
{
}
// Default Destructor
display::~display()
{
}
// A function which takes an argument of vector of string and display a valid HTML file using process class
void display::showWebPage(std::vector<std::string> convertedFiles)
{
std::cout << "\n Demonstrating code pop-up in notepad";
std::cout << "\n ======================================";
Process p;
p.title("test application");
std::string appPath = "C:/Program Files/Mozilla Firefox/firefox.exe"; // path to application to start
p.application(appPath);
for (auto f:convertedFiles)
{
std::string cmdLine = "/A " + f;
p.commandLine(cmdLine);
std::cout << "\n starting process: \"" << appPath << "\"";
std::cout << "\n with this cmdlne: \"" << cmdLine << "\"";
p.create();
CBP callback = []() { std::cout << "\n --- child process exited with this message ---"; };
p.setCallBackProcessing(callback);
p.registerCallback();
WaitForSingleObject(p.getProcessHandle(), INFINITE); // wait for created process to terminate
}
}
// Test stub to run Display
#ifdef TEST_display
int main()
{
std::cout << "\n testing Display Package";
std::vector<std::string> htmlFiles;
display d;
htmlFiles.push_back("./display.cpp.html");
d.showWebPage(htmlFiles);
std::cout << "Printing converted file names" << "\n";
return 0;
}
#endif | [
"asraman@syr.edu"
] | asraman@syr.edu |
391b02dd1a42493cdb433e64d131ad2ce7476b27 | 36c0e07fba5319f186a135a41f2ecd2445656894 | /tests/cthread/test_while.cpp | c2bb666b1a46bd837866d8633865e6ed00b02f67 | [
"LLVM-exception",
"Apache-2.0"
] | permissive | mfkiwl/systemc-compiler | 5f53c3dbd52439997289b3947d863d9d8b3c90b4 | 96d94cac721224745cffe3daaee35c406af36e9e | refs/heads/main | 2023-06-12T06:39:48.707703 | 2021-07-08T11:10:41 | 2021-07-08T11:10:41 | 385,031,718 | 1 | 0 | NOASSERTION | 2021-07-11T19:05:42 | 2021-07-11T19:05:42 | null | UTF-8 | C++ | false | false | 8,143 | cpp | /******************************************************************************
* Copyright (c) 2020, Intel Corporation. All rights reserved.
*
* SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception.
*
*****************************************************************************/
#include <systemc.h>
// while general cases and binary condition
class top : sc_module
{
public:
sc_clock clk{"clk", 10, SC_NS};
sc_signal<bool> arstn{"arstn", 1};
sc_signal<int> in{"in"};
sc_signal<int> out{"out"};
sc_signal<int> s;
SC_HAS_PROCESS(top);
top(sc_module_name)
{
SC_THREAD(while_with_wait0);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_wait0a);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_wait0b);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_wait1);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_wait2);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_for);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_signal_cond);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_binary_oper);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_binary_oper1);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_binary_oper2);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_with_binary_oper3);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
// TODO: Fix me, #133 -- error reported
//SC_THREAD(no_wait_main_loop);
//sensitive << clk.posedge_event();
//async_reset_signal_is(arstn, false);
SC_THREAD(while_continue1);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
SC_THREAD(while_break1);
sensitive << clk.posedge_event();
async_reset_signal_is(arstn, false);
}
// @while with wait
void while_with_wait0()
{
wait();
while (1) { // B6
int i = 0; // B5
while (i < 3) { // B4
wait(); // B3
i++;
} // B2
} // B1
}
// @while with wait and global iteration counter
void while_with_wait0a()
{
int i = 0;
wait();
while (1) {
while (i < 3) {
wait();
i++;
}
wait();
}
}
void while_with_wait0b()
{
int i = 0;
wait();
while (1) {
while (i < s.read()) {
wait();
i++;
}
wait();
}
}
// @while with wait
void while_with_wait1()
{
out = 0;
wait();
while (1) {
int i = 0;
while (i < 3) {
i++;
out = 1;
wait(); // 2
}
out = 2;
wait(); // 3
}
}
// @while with conditional wait
void while_with_wait2()
{
out = 0;
wait();
while (1) {
int i = 0;
while (i < 3) {
i++;
out = 1;
wait(); // 1
if (in.read() > 1) {
out = 2;
wait(); // 2
}
}
out = 3;
wait(); // 3
}
}
// @while with inner @for
void while_with_for()
{
out = 0;
wait();
while (1) {
int i = 0;
while (i < 3) {
i++;
out = 1;
for (int j = 0; j < 2; j++) {
if (in.read() > 1) {
out = j;
}
wait(); // 1
}
}
out = 3;
wait(); // 2
}
}
// @while with signal condition
void while_with_signal_cond()
{
out = 0;
wait();
while (1) {
while (in.read()) {
out = 1;
wait(); // 1
}
out = 2;
wait(); // 2
}
}
// While with binary ||/&& operator -- BUG in real design EMC
void while_with_binary_oper()
{
bool b1, b2;
int k = 0;
wait();
while (1) { // B7
while (b1 || b2) { // B6, B5
k = 1; // B4
wait();
k = 2;
} // B3
wait(); // B2, B1
}
}
void while_with_binary_oper1()
{
bool b1, b2;
int k = 0;
wait();
while (1) {
while (b1 && s.read()) {
k = 1;
wait();
k = 2;
}
wait();
}
}
// While with binary ||/&& operator -- BUG in real design EMC fixed
void while_with_binary_oper2()
{
bool b1, b2, b3;
int k = 0;
wait(); // B9
while (1) { // B8
while ((b1 || b2) && b3) { // B7, B6, B5
k = 1;
wait(); // B4
k = 2;
} // B3
wait(); // B2
}
}
void while_with_binary_oper3()
{
bool b1, b2, b3;
int k = 0;
wait();
while (1) {
while ((b1 && s.read()) || b3) {
k = 1;
wait();
k = 2;
}
wait();
}
}
// Main loop w/o wait(), see #133
void no_wait_main_loop()
{
s = 0;
wait();
while (true) {
s = 1;
}
}
// --------------------------------------------------------------------------
// break and continue
sc_signal<int> s1;
sc_signal<int> s2;
void while_continue1()
{
s2 = 0;
wait();
while (true)
{
while (!s.read()) {
wait(); // 1
s2 = 2;
}
while (s.read()) {
wait(); // 2
if (s1.read()) {
s2 = 1;
continue;
}
}
wait(); // 3
}
}
sc_signal<int> s3;
void while_break1()
{
wait();
while (true)
{
s3 = 0;
while (true) {
wait(); // 1
if (s1.read()) {
break;
}
s3 = 1;
}
while (s1) {
while (s2) {
wait(); // 2
}
if (s1 > s2) {
wait(); // 3
break;
}
s3 = 2;
wait(); // 4
}
wait(); // 5
}
}
};
int sc_main(int argc, char *argv[])
{
top top_inst{"top_inst"};
sc_start(100, SC_NS);
return 0;
}
| [
"mikhail.moiseev@intel.com"
] | mikhail.moiseev@intel.com |
6a863d73cf1cbdf6f9b52277465d8fe56a058bb4 | eebb79e0ffb9bf2c729e83e133ff61a4c2e36d49 | /src/external/s2/s2cellid.cc | 4ffbea6c9643943c7957b5240ff8fa1dd008f564 | [
"Apache-2.0"
] | permissive | realm/realm-core | 878349ddbf33353de26272d7b1e8f93690ba28d1 | c258e2681bca5fb33bbd23c112493817b43bfa86 | refs/heads/master | 2023-08-31T21:14:19.625989 | 2023-08-31T20:29:06 | 2023-08-31T20:29:06 | 1,917,262 | 1,059 | 189 | Apache-2.0 | 2023-09-14T18:11:10 | 2011-06-18T21:18:46 | C++ | UTF-8 | C++ | false | false | 18,536 | cc | // Copyright 2005 Google Inc. All Rights Reserved.
#include "s2cellid.h"
#ifndef _WIN32
#include <pthread.h>
#endif
#include <algorithm>
using std::min;
using std::max;
using std::swap;
using std::reverse;
#include <iomanip>
using std::setprecision;
#include <mutex>
#include <vector>
using std::vector;
#include "base/integral_types.h"
#include "base/logging.h"
#include "s2.h"
#include "s2latlng.h"
#include "util/math/mathutil.h"
#include "util/math/vector2-inl.h"
// The following lookup tables are used to convert efficiently between an
// (i,j) cell index and the corresponding position along the Hilbert curve.
// "lookup_pos" maps 4 bits of "i", 4 bits of "j", and 2 bits representing the
// orientation of the current cell into 8 bits representing the order in which
// that subcell is visited by the Hilbert curve, plus 2 bits indicating the
// new orientation of the Hilbert curve within that subcell. (Cell
// orientations are represented as combination of kSwapMask and kInvertMask.)
//
// "lookup_ij" is an inverted table used for mapping in the opposite
// direction.
//
// We also experimented with looking up 16 bits at a time (14 bits of position
// plus 2 of orientation) but found that smaller lookup tables gave better
// performance. (2KB fits easily in the primary cache.)
// Values for these constants are *declared* in the *.h file. Even though
// the declaration specifies a value for the constant, that declaration
// is not a *definition* of storage for the value. Because the values are
// supplied in the declaration, we don't need the values here. Failing to
// define storage causes link errors for any code that tries to take the
// address of one of these values.
int const S2CellId::kFaceBits = 3;
int const S2CellId::kNumFaces = 6;
int const S2CellId::kMaxLevel = S2::kMaxCellLevel;
int const S2CellId::kPosBits = 2 * kMaxLevel + 1;
int const S2CellId::kMaxSize = 1 << kMaxLevel;
uint64 const S2CellId::kWrapOffset = uint64(kNumFaces) << kPosBits;
static int const kLookupBits = 4;
static int const kSwapMask = 0x01;
static int const kInvertMask = 0x02;
static uint16 lookup_pos[1 << (2 * kLookupBits + 2)];
static uint16 lookup_ij[1 << (2 * kLookupBits + 2)];
static void InitLookupCell(int level, int i, int j, int orig_orientation,
int pos, int orientation) {
if (level == kLookupBits) {
int ij = (i << kLookupBits) + j;
lookup_pos[(ij << 2) + orig_orientation] = (pos << 2) + orientation;
lookup_ij[(pos << 2) + orig_orientation] = (ij << 2) + orientation;
} else {
level++;
i <<= 1;
j <<= 1;
pos <<= 2;
int const* r = S2::kPosToIJ[orientation];
InitLookupCell(level, i + (r[0] >> 1), j + (r[0] & 1), orig_orientation,
pos, orientation ^ S2::kPosToOrientation[0]);
InitLookupCell(level, i + (r[1] >> 1), j + (r[1] & 1), orig_orientation,
pos + 1, orientation ^ S2::kPosToOrientation[1]);
InitLookupCell(level, i + (r[2] >> 1), j + (r[2] & 1), orig_orientation,
pos + 2, orientation ^ S2::kPosToOrientation[2]);
InitLookupCell(level, i + (r[3] >> 1), j + (r[3] & 1), orig_orientation,
pos + 3, orientation ^ S2::kPosToOrientation[3]);
}
}
// Modern s2geometry does this with std::call_once, so we will copy that technique.
// https://github.com/google/s2geometry/blob/bec06921d7/src/s2/s2cell_id.cc#L102
static std::once_flag flag;
static void MaybeInit() {
std::call_once(flag, []{
InitLookupCell(0, 0, 0, 0, 0, 0);
InitLookupCell(0, 0, 0, kSwapMask, 0, kSwapMask);
InitLookupCell(0, 0, 0, kInvertMask, 0, kInvertMask);
InitLookupCell(0, 0, 0, kSwapMask|kInvertMask, 0, kSwapMask|kInvertMask);
});
}
int S2CellId::level() const {
// Fast path for leaf cells.
if (is_leaf()) return kMaxLevel;
uint32 x = static_cast<uint32>(id_);
int level = -1;
if (x != 0) {
level += 16;
} else {
x = static_cast<uint32>(id_ >> 32);
}
// We only need to look at even-numbered bits to determine the
// level of a valid cell id.
#pragma warning(push)
#pragma warning( disable: 4146 )
x &= -x; // Get lowest bit.
#pragma warning(pop)
if (x & 0x00005555) level += 8;
if (x & 0x00550055) level += 4;
if (x & 0x05050505) level += 2;
if (x & 0x11111111) level += 1;
DCHECK_GE(level, 0);
DCHECK_LE(level, kMaxLevel);
return level;
}
S2CellId S2CellId::advance(int64 steps) const {
if (steps == 0) return *this;
// We clamp the number of steps if necessary to ensure that we do not
// advance past the End() or before the Begin() of this level. Note that
// min_steps and max_steps always fit in a signed 64-bit integer.
int step_shift = 2 * (kMaxLevel - level()) + 1;
if (steps < 0) {
int64 min_steps = -static_cast<int64>(id_ >> step_shift);
if (steps < min_steps) steps = min_steps;
} else {
int64 max_steps = (kWrapOffset + lsb() - id_) >> step_shift;
if (steps > max_steps) steps = max_steps;
}
return S2CellId(id_ + (steps << step_shift));
}
S2CellId S2CellId::advance_wrap(int64 steps) const {
DCHECK(is_valid());
if (steps == 0) return *this;
int step_shift = 2 * (kMaxLevel - level()) + 1;
if (steps < 0) {
int64 min_steps = -static_cast<int64>(id_ >> step_shift);
if (steps < min_steps) {
int64 step_wrap = kWrapOffset >> step_shift;
steps %= step_wrap;
if (steps < min_steps) steps += step_wrap;
}
} else {
// Unlike advance(), we don't want to return End(level).
int64 max_steps = (kWrapOffset - id_) >> step_shift;
if (steps > max_steps) {
int64 step_wrap = kWrapOffset >> step_shift;
steps %= step_wrap;
if (steps > max_steps) steps -= step_wrap;
}
}
return S2CellId(id_ + (steps << step_shift));
}
S2CellId S2CellId::FromFacePosLevel(int face, uint64 pos, int level) {
S2CellId cell((static_cast<uint64>(face) << kPosBits) + (pos | 1));
return cell.parent(level);
}
inline int S2CellId::STtoIJ(double s) {
// Converting from floating-point to integers via static_cast is very slow
// on Intel processors because it requires changing the rounding mode.
// Rounding to the nearest integer using FastIntRound() is much faster.
return max(0, min(kMaxSize - 1, MathUtil::FastIntRound(kMaxSize * s - 0.5)));
}
S2CellId S2CellId::FromFaceIJ(int face, int i, int j) {
MaybeInit();
// Optimization notes:
// - Non-overlapping bit fields can be combined with either "+" or "|".
// Generally "+" seems to produce better code, but not always.
// gcc doesn't have very good code generation for 64-bit operations.
// We optimize this by computing the result as two 32-bit integers
// and combining them at the end. Declaring the result as an array
// rather than local variables helps the compiler to do a better job
// of register allocation as well. Note that the two 32-bits halves
// get shifted one bit to the left when they are combined.
uint32 n[2];
n[0] = 0;
n[1] = face << (kPosBits - 33);
// Alternating faces have opposite Hilbert curve orientations; this
// is necessary in order for all faces to have a right-handed
// coordinate system.
int bits = (face & kSwapMask);
// Each iteration maps 4 bits of "i" and "j" into 8 bits of the Hilbert
// curve position. The lookup table transforms a 10-bit key of the form
// "iiiijjjjoo" to a 10-bit value of the form "ppppppppoo", where the
// letters [ijpo] denote bits of "i", "j", Hilbert curve position, and
// Hilbert curve orientation respectively.
#define GET_BITS(k) do { \
int const mask = (1 << kLookupBits) - 1; \
bits += ((i >> (k * kLookupBits)) & mask) << (kLookupBits + 2); \
bits += ((j >> (k * kLookupBits)) & mask) << 2; \
bits = lookup_pos[bits]; \
n[k >> 2] |= (bits >> 2) << ((k & 3) * 2 * kLookupBits); \
bits &= (kSwapMask | kInvertMask); \
} while (0)
GET_BITS(7);
GET_BITS(6);
GET_BITS(5);
GET_BITS(4);
GET_BITS(3);
GET_BITS(2);
GET_BITS(1);
GET_BITS(0);
#undef GET_BITS
return S2CellId(((static_cast<uint64>(n[1]) << 32) + n[0]) * 2 + 1);
}
S2CellId S2CellId::FromPoint(S2Point const& p) {
double u, v;
int face = S2::XYZtoFaceUV(p, &u, &v);
int i = STtoIJ(S2::UVtoST(u));
int j = STtoIJ(S2::UVtoST(v));
return FromFaceIJ(face, i, j);
}
S2CellId S2CellId::FromLatLng(S2LatLng const& ll) {
return FromPoint(ll.ToPoint());
}
int S2CellId::ToFaceIJOrientation(int* pi, int* pj, int* orientation) const {
MaybeInit();
int i = 0, j = 0;
int face = this->face();
int bits = (face & kSwapMask);
// Each iteration maps 8 bits of the Hilbert curve position into
// 4 bits of "i" and "j". The lookup table transforms a key of the
// form "ppppppppoo" to a value of the form "iiiijjjjoo", where the
// letters [ijpo] represents bits of "i", "j", the Hilbert curve
// position, and the Hilbert curve orientation respectively.
//
// On the first iteration we need to be careful to clear out the bits
// representing the cube face.
#define GET_BITS(k) do { \
int const nbits = (k == 7) ? (kMaxLevel - 7 * kLookupBits) : kLookupBits; \
bits += (static_cast<int>(id_ >> (k * 2 * kLookupBits + 1)) \
& ((1 << (2 * nbits)) - 1)) << 2; \
bits = lookup_ij[bits]; \
i += (bits >> (kLookupBits + 2)) << (k * kLookupBits); \
j += ((bits >> 2) & ((1 << kLookupBits) - 1)) << (k * kLookupBits); \
bits &= (kSwapMask | kInvertMask); \
} while (0)
GET_BITS(7);
GET_BITS(6);
GET_BITS(5);
GET_BITS(4);
GET_BITS(3);
GET_BITS(2);
GET_BITS(1);
GET_BITS(0);
#undef GET_BITS
*pi = i;
*pj = j;
if (orientation != NULL) {
// The position of a non-leaf cell at level "n" consists of a prefix of
// 2*n bits that identifies the cell, followed by a suffix of
// 2*(kMaxLevel-n)+1 bits of the form 10*. If n==kMaxLevel, the suffix is
// just "1" and has no effect. Otherwise, it consists of "10", followed
// by (kMaxLevel-n-1) repetitions of "00", followed by "0". The "10" has
// no effect, while each occurrence of "00" has the effect of reversing
// the kSwapMask bit.
DCHECK_EQ(0, S2::kPosToOrientation[2]);
DCHECK_EQ(S2::kSwapMask, S2::kPosToOrientation[0]);
if (lsb() & GG_ULONGLONG(0x1111111111111110)) {
bits ^= S2::kSwapMask;
}
*orientation = bits;
}
return face;
}
inline int S2CellId::GetCenterSiTi(int* psi, int* pti) const {
// First we compute the discrete (i,j) coordinates of a leaf cell contained
// within the given cell. Given that cells are represented by the Hilbert
// curve position corresponding at their center, it turns out that the cell
// returned by ToFaceIJOrientation is always one of two leaf cells closest
// to the center of the cell (unless the given cell is a leaf cell itself,
// in which case there is only one possibility).
//
// Given a cell of size s >= 2 (i.e. not a leaf cell), and letting (imin,
// jmin) be the coordinates of its lower left-hand corner, the leaf cell
// returned by ToFaceIJOrientation() is either (imin + s/2, jmin + s/2)
// (imin + s/2 - 1, jmin + s/2 - 1). The first case is the one we want.
// We can distinguish these two cases by looking at the low bit of "i" or
// "j". In the second case the low bit is one, unless s == 2 (i.e. the
// level just above leaf cells) in which case the low bit is zero.
//
// In the code below, the expression ((i ^ (int(id_) >> 2)) & 1) is true
// if we are in the second case described above.
int i, j;
int face = ToFaceIJOrientation(&i, &j, NULL);
int delta = is_leaf() ? 1 : ((i ^ (static_cast<int>(id_) >> 2)) & 1) ? 2 : 0;
// Note that (2 * {i,j} + delta) will never overflow a 32-bit integer.
*psi = 2 * i + delta;
*pti = 2 * j + delta;
return face;
}
S2Point S2CellId::ToPointRaw() const {
// This code would be slightly shorter if we called GetCenterUV(),
// but this method is heavily used and it's 25% faster to include
// the method inline.
int si, ti;
int face = GetCenterSiTi(&si, &ti);
return S2::FaceUVtoXYZ(face,
S2::STtoUV((0.5 / kMaxSize) * si),
S2::STtoUV((0.5 / kMaxSize) * ti));
}
S2LatLng S2CellId::ToLatLng() const {
return S2LatLng(ToPointRaw());
}
Vector2_d S2CellId::GetCenterST() const {
int si, ti;
GetCenterSiTi(&si, &ti);
return Vector2_d((0.5 / kMaxSize) * si, (0.5 / kMaxSize) * ti);
}
Vector2_d S2CellId::GetCenterUV() const {
int si, ti;
GetCenterSiTi(&si, &ti);
return Vector2_d(S2::STtoUV((0.5 / kMaxSize) * si),
S2::STtoUV((0.5 / kMaxSize) * ti));
}
S2CellId S2CellId::FromFaceIJWrap(int face, int i, int j) {
// Convert i and j to the coordinates of a leaf cell just beyond the
// boundary of this face. This prevents 32-bit overflow in the case
// of finding the neighbors of a face cell.
i = max(-1, min(kMaxSize, i));
j = max(-1, min(kMaxSize, j));
// Find the (u,v) coordinates corresponding to the center of cell (i,j).
// For our purposes it's sufficient to always use the linear projection
// from (s,t) to (u,v): u=2*s-1 and v=2*t-1.
static const double kScale = 1.0 / kMaxSize;
double u = kScale * ((i << 1) + 1 - kMaxSize);
double v = kScale * ((j << 1) + 1 - kMaxSize);
// Find the leaf cell coordinates on the adjacent face, and convert
// them to a cell id at the appropriate level. We convert from (u,v)
// back to (s,t) using s=0.5*(u+1), t=0.5*(v+1).
face = S2::XYZtoFaceUV(S2::FaceUVtoXYZ(face, u, v), &u, &v);
return FromFaceIJ(face, STtoIJ(0.5*(u+1)), STtoIJ(0.5*(v+1)));
}
inline S2CellId S2CellId::FromFaceIJSame(int face, int i, int j,
bool same_face) {
if (same_face)
return S2CellId::FromFaceIJ(face, i, j);
else
return S2CellId::FromFaceIJWrap(face, i, j);
}
void S2CellId::GetEdgeNeighbors(S2CellId neighbors[4]) const {
int i, j;
int level = this->level();
int size = GetSizeIJ(level);
int face = ToFaceIJOrientation(&i, &j, NULL);
// Edges 0, 1, 2, 3 are in the S, E, N, W directions.
neighbors[0] = FromFaceIJSame(face, i, j - size, j - size >= 0)
.parent(level);
neighbors[1] = FromFaceIJSame(face, i + size, j, i + size < kMaxSize)
.parent(level);
neighbors[2] = FromFaceIJSame(face, i, j + size, j + size < kMaxSize)
.parent(level);
neighbors[3] = FromFaceIJSame(face, i - size, j, i - size >= 0)
.parent(level);
}
void S2CellId::AppendVertexNeighbors(int level,
vector<S2CellId>* output) const {
// "level" must be strictly less than this cell's level so that we can
// determine which vertex this cell is closest to.
DCHECK_LT(level, this->level());
int i, j;
int face = ToFaceIJOrientation(&i, &j, NULL);
// Determine the i- and j-offsets to the closest neighboring cell in each
// direction. This involves looking at the next bit of "i" and "j" to
// determine which quadrant of this->parent(level) this cell lies in.
int halfsize = GetSizeIJ(level + 1);
int size = halfsize << 1;
bool isame, jsame;
int ioffset, joffset;
if (i & halfsize) {
ioffset = size;
isame = (i + size) < kMaxSize;
} else {
ioffset = -size;
isame = (i - size) >= 0;
}
if (j & halfsize) {
joffset = size;
jsame = (j + size) < kMaxSize;
} else {
joffset = -size;
jsame = (j - size) >= 0;
}
output->push_back(parent(level));
output->push_back(FromFaceIJSame(face, i + ioffset, j, isame).parent(level));
output->push_back(FromFaceIJSame(face, i, j + joffset, jsame).parent(level));
// If i- and j- edge neighbors are *both* on a different face, then this
// vertex only has three neighbors (it is one of the 8 cube vertices).
if (isame || jsame) {
output->push_back(FromFaceIJSame(face, i + ioffset, j + joffset,
isame && jsame).parent(level));
}
}
void S2CellId::AppendAllNeighbors(int nbr_level,
vector<S2CellId>* output) const {
int i, j;
int face = ToFaceIJOrientation(&i, &j, NULL);
// Find the coordinates of the lower left-hand leaf cell. We need to
// normalize (i,j) to a known position within the cell because nbr_level
// may be larger than this cell's level.
int size = GetSizeIJ();
i &= -size;
j &= -size;
int nbr_size = GetSizeIJ(nbr_level);
DCHECK_LE(nbr_size, size);
// We compute the N-S, E-W, and diagonal neighbors in one pass.
// The loop test is at the end of the loop to avoid 32-bit overflow.
for (int k = -nbr_size; ; k += nbr_size) {
bool same_face;
if (k < 0) {
same_face = (j + k >= 0);
} else if (k >= size) {
same_face = (j + k < kMaxSize);
} else {
same_face = true;
// North and South neighbors.
output->push_back(FromFaceIJSame(face, i + k, j - nbr_size,
j - size >= 0).parent(nbr_level));
output->push_back(FromFaceIJSame(face, i + k, j + size,
j + size < kMaxSize).parent(nbr_level));
}
// East, West, and Diagonal neighbors.
output->push_back(FromFaceIJSame(face, i - nbr_size, j + k,
same_face && i - size >= 0)
.parent(nbr_level));
output->push_back(FromFaceIJSame(face, i + size, j + k,
same_face && i + size < kMaxSize)
.parent(nbr_level));
if (k >= size) break;
}
}
inline char intToChar(int i) {
return '0' + i;
}
inline uint64 charToInt(char c) {
return static_cast<uint64>(c - '0');
}
S2CellId S2CellId::FromString(const string& str) {
int face = charToInt(str[0]);
int level = str.length() - 2;
uint64 pos = 0;
for (size_t i = 2; i < str.length(); ++i) {
pos |= charToInt(str[i]) << (2 * (kMaxLevel - (i - 1)) + 1);
}
pos |= (uint64)1 << (2 * (kMaxLevel - level));
return FromFacePosLevel(face, pos, level);
}
string S2CellId::ToString() const {
if (!is_valid()) {
return realm::util::format("Invalid: %1", id());
}
string out;
out.reserve(2 + level());
out.push_back(intToChar(face()));
out.push_back('f');
for (int current_level = 1; current_level <= level(); ++current_level) {
out.push_back(intToChar(child_position(current_level)));
}
return out;
}
ostream& operator<<(ostream& os, S2CellId const& id) {
return os << id.ToString();
}
| [
"noreply@github.com"
] | realm.noreply@github.com |
f8fbbbf65e4c13ad6c0c9fdcafbb5e9430c0d0b9 | f0bd42c8ae869dee511f6d41b1bc255cb32887d5 | /UVA/12706 - Zero-Knowledge Protocol.cpp | 6a25f1aa5225b4d94f70b8e4e5d69028254fee13 | [] | no_license | osamahatem/CompetitiveProgramming | 3c68218a181d4637c09f31a7097c62f20977ffcd | a5b54ae8cab47b2720a64c68832a9c07668c5ffb | refs/heads/master | 2021-06-10T10:21:13.879053 | 2020-07-07T14:59:44 | 2020-07-07T14:59:44 | 113,673,720 | 3 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,025 | cpp | /*
* 12706 - Zero-Knowledge Protocol.cpp
*
* Created on: Aug 9, 2014
* Author: Osama Hatem
*/
#include <bits/stdtr1c++.h>
#include <ext/numeric>
using namespace std;
int main() {
#ifndef ONLINE_JUDGE
freopen("in.in", "r", stdin);
// freopen("out.out", "w", stdout);
#endif
int t, arr[20005];
scanf("%d", &t);
while (t--) {
int n, m, x;
multiset<int> all;
multiset<int>::iterator it;
queue<int> cur;
scanf("%d%d", &n, &m);
for (int i = 0; i < n; i++)
scanf("%d", &arr[i]);
for (int i = 0; i < m; i++) {
scanf("%d", &x);
all.insert(x);
}
long long ans = 0;
for (int i = 0; i < n; i++) {
it = all.find(arr[i]);
if (it == all.end()) {
if (cur.size()) {
all.insert(cur.front());
cur.pop();
i--;
}
} else {
cur.push(*it);
all.erase(it);
if ((int) cur.size() == m) {
ans += (i - m + 2) * (i - m + 2);
if (cur.size()) {
all.insert(cur.front());
cur.pop();
}
}
}
}
printf("%lld\n", ans);
}
return 0;
}
| [
"osama@elysian.team"
] | osama@elysian.team |
044cf6d9ce78a61c83794b35cfb25bfa15f62990 | 170545d6ae55d8a4675a69dbecd79db5c201205c | /fxmark/vbench/rocksdb/util/hash_cuckoo_rep.cc | ea2b7bca26189cb8f6af1204e1a1f2c787238ac3 | [
"BSD-3-Clause"
] | permissive | nsq974487195/max | 55a93c6178d0243c9efcf5d0dfdb76db57bd5d0c | d559346f9ee50a4f86168211c5f9638a5f15f683 | refs/heads/main | 2023-06-15T19:18:00.563246 | 2021-07-17T10:15:08 | 2021-07-17T10:15:08 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 24,948 | cc | // Copyright (c) 2014, Facebook, Inc. All rights reserved.
// This source code is licensed under the BSD-style license found in the
// LICENSE file in the root directory of this source tree. An additional grant
// of patent rights can be found in the PATENTS file in the same directory.
//
#ifndef ROCKSDB_LITE
#include "util/hash_cuckoo_rep.h"
#include <algorithm>
#include <atomic>
#include <limits>
#include <memory>
#include <queue>
#include <string>
#include <vector>
#include "db/memtable.h"
#include "db/skiplist.h"
#include "rocksdb/memtablerep.h"
#include "util/murmurhash.h"
#include "util/stl_wrappers.h"
namespace rocksdb {
namespace {
// the default maximum size of the cuckoo path searching queue
static const int kCuckooPathMaxSearchSteps = 100;
struct CuckooStep {
static const int kNullStep = -1;
// the bucket id in the cuckoo array.
int bucket_id_;
// index of cuckoo-step array that points to its previous step,
// -1 if it the beginning step.
int prev_step_id_;
// the depth of the current step.
unsigned int depth_;
CuckooStep() : bucket_id_(-1), prev_step_id_(kNullStep), depth_(1) {}
// MSVC does not support = default yet
CuckooStep(CuckooStep&& o) ROCKSDB_NOEXCEPT { *this = std::move(o); }
CuckooStep& operator=(CuckooStep&& rhs) {
bucket_id_ = std::move(rhs.bucket_id_);
prev_step_id_ = std::move(rhs.prev_step_id_);
depth_ = std::move(rhs.depth_);
return *this;
}
CuckooStep(const CuckooStep&) = delete;
CuckooStep& operator=(const CuckooStep&) = delete;
CuckooStep(int bucket_id, int prev_step_id, int depth)
: bucket_id_(bucket_id), prev_step_id_(prev_step_id), depth_(depth) {}
};
class HashCuckooRep : public MemTableRep {
public:
explicit HashCuckooRep(const MemTableRep::KeyComparator& compare,
MemTableAllocator* allocator,
const size_t bucket_count,
const unsigned int hash_func_count,
const size_t approximate_entry_size)
: MemTableRep(allocator),
compare_(compare),
allocator_(allocator),
bucket_count_(bucket_count),
approximate_entry_size_(approximate_entry_size),
cuckoo_path_max_depth_(kDefaultCuckooPathMaxDepth),
occupied_count_(0),
hash_function_count_(hash_func_count),
backup_table_(nullptr) {
char* mem = reinterpret_cast<char*>(
allocator_->Allocate(sizeof(std::atomic<const char*>) * bucket_count_));
cuckoo_array_ = new (mem) std::atomic<char*>[bucket_count_];
for (unsigned int bid = 0; bid < bucket_count_; ++bid) {
cuckoo_array_[bid].store(nullptr, std::memory_order_relaxed);
}
cuckoo_path_ = reinterpret_cast<int*>(
allocator_->Allocate(sizeof(int) * (cuckoo_path_max_depth_ + 1)));
is_nearly_full_ = false;
}
// return false, indicating HashCuckooRep does not support merge operator.
virtual bool IsMergeOperatorSupported() const override { return false; }
// return false, indicating HashCuckooRep does not support snapshot.
virtual bool IsSnapshotSupported() const override { return false; }
// Returns true iff an entry that compares equal to key is in the collection.
virtual bool Contains(const char* internal_key) const override;
virtual ~HashCuckooRep() override {}
// Insert the specified key (internal_key) into the mem-table. Assertion
// fails if
// the current mem-table already contains the specified key.
virtual void Insert(KeyHandle handle) override;
// This function returns bucket_count_ * approximate_entry_size_ when any
// of the followings happen to disallow further write operations:
// 1. when the fullness reaches kMaxFullnes.
// 2. when the backup_table_ is used.
//
// otherwise, this function will always return 0.
virtual size_t ApproximateMemoryUsage() override {
if (is_nearly_full_) {
return bucket_count_ * approximate_entry_size_;
}
return 0;
}
virtual void Get(const LookupKey& k, void* callback_args,
bool (*callback_func)(void* arg,
const char* entry)) override;
class Iterator : public MemTableRep::Iterator {
std::shared_ptr<std::vector<const char*>> bucket_;
std::vector<const char*>::const_iterator mutable cit_;
const KeyComparator& compare_;
std::string tmp_; // For passing to EncodeKey
bool mutable sorted_;
void DoSort() const;
public:
explicit Iterator(std::shared_ptr<std::vector<const char*>> bucket,
const KeyComparator& compare);
// Initialize an iterator over the specified collection.
// The returned iterator is not valid.
// explicit Iterator(const MemTableRep* collection);
virtual ~Iterator() override{};
// Returns true iff the iterator is positioned at a valid node.
virtual bool Valid() const override;
// Returns the key at the current position.
// REQUIRES: Valid()
virtual const char* key() const override;
// Advances to the next position.
// REQUIRES: Valid()
virtual void Next() override;
// Advances to the previous position.
// REQUIRES: Valid()
virtual void Prev() override;
// Advance to the first entry with a key >= target
virtual void Seek(const Slice& user_key, const char* memtable_key) override;
// Position at the first entry in collection.
// Final state of iterator is Valid() iff collection is not empty.
virtual void SeekToFirst() override;
// Position at the last entry in collection.
// Final state of iterator is Valid() iff collection is not empty.
virtual void SeekToLast() override;
};
struct CuckooStepBuffer {
CuckooStepBuffer() : write_index_(0), read_index_(0) {}
~CuckooStepBuffer() {}
int write_index_;
int read_index_;
CuckooStep steps_[kCuckooPathMaxSearchSteps];
CuckooStep& NextWriteBuffer() { return steps_[write_index_++]; }
inline const CuckooStep& ReadNext() { return steps_[read_index_++]; }
inline bool HasNewWrite() { return write_index_ > read_index_; }
inline void reset() {
write_index_ = 0;
read_index_ = 0;
}
inline bool IsFull() { return write_index_ >= kCuckooPathMaxSearchSteps; }
// returns the number of steps that has been read
inline int ReadCount() { return read_index_; }
// returns the number of steps that has been written to the buffer.
inline int WriteCount() { return write_index_; }
};
private:
const MemTableRep::KeyComparator& compare_;
// the pointer to Allocator to allocate memory, immutable after construction.
MemTableAllocator* const allocator_;
// the number of hash bucket in the hash table.
const size_t bucket_count_;
// approximate size of each entry
const size_t approximate_entry_size_;
// the maxinum depth of the cuckoo path.
const unsigned int cuckoo_path_max_depth_;
// the current number of entries in cuckoo_array_ which has been occupied.
size_t occupied_count_;
// the current number of hash functions used in the cuckoo hash.
unsigned int hash_function_count_;
// the backup MemTableRep to handle the case where cuckoo hash cannot find
// a vacant bucket for inserting the key of a put request.
std::shared_ptr<MemTableRep> backup_table_;
// the array to store pointers, pointing to the actual data.
std::atomic<char*>* cuckoo_array_;
// a buffer to store cuckoo path
int* cuckoo_path_;
// a boolean flag indicating whether the fullness of bucket array
// reaches the point to make the current memtable immutable.
bool is_nearly_full_;
// the default maximum depth of the cuckoo path.
static const unsigned int kDefaultCuckooPathMaxDepth = 10;
CuckooStepBuffer step_buffer_;
// returns the bucket id assogied to the input slice based on the
unsigned int GetHash(const Slice& slice, const int hash_func_id) const {
// the seeds used in the Murmur hash to produce different hash functions.
static const int kMurmurHashSeeds[HashCuckooRepFactory::kMaxHashCount] = {
545609244, 1769731426, 763324157, 13099088, 592422103,
1899789565, 248369300, 1984183468, 1613664382, 1491157517};
return static_cast<unsigned int>(
MurmurHash(slice.data(), static_cast<int>(slice.size()),
kMurmurHashSeeds[hash_func_id]) %
bucket_count_);
}
// A cuckoo path is a sequence of bucket ids, where each id points to a
// location of cuckoo_array_. This path describes the displacement sequence
// of entries in order to store the desired data specified by the input user
// key. The path starts from one of the locations associated with the
// specified user key and ends at a vacant space in the cuckoo array. This
// function will update the cuckoo_path.
//
// @return true if it found a cuckoo path.
bool FindCuckooPath(const char* internal_key, const Slice& user_key,
int* cuckoo_path, size_t* cuckoo_path_length,
int initial_hash_id = 0);
// Perform quick insert by checking whether there is a vacant bucket in one
// of the possible locations of the input key. If so, then the function will
// return true and the key will be stored in that vacant bucket.
//
// This function is a helper function of FindCuckooPath that discovers the
// first possible steps of a cuckoo path. It begins by first computing
// the possible locations of the input keys (and stores them in bucket_ids.)
// Then, if one of its possible locations is vacant, then the input key will
// be stored in that vacant space and the function will return true.
// Otherwise, the function will return false indicating a complete search
// of cuckoo-path is needed.
bool QuickInsert(const char* internal_key, const Slice& user_key,
int bucket_ids[], const int initial_hash_id);
// Returns the pointer to the internal iterator to the buckets where buckets
// are sorted according to the user specified KeyComparator. Note that
// any insert after this function call may affect the sorted nature of
// the returned iterator.
virtual MemTableRep::Iterator* GetIterator(Arena* arena) override {
std::vector<const char*> compact_buckets;
for (unsigned int bid = 0; bid < bucket_count_; ++bid) {
const char* bucket = cuckoo_array_[bid].load(std::memory_order_relaxed);
if (bucket != nullptr) {
compact_buckets.push_back(bucket);
}
}
MemTableRep* backup_table = backup_table_.get();
if (backup_table != nullptr) {
std::unique_ptr<MemTableRep::Iterator> iter(backup_table->GetIterator());
for (iter->SeekToFirst(); iter->Valid(); iter->Next()) {
compact_buckets.push_back(iter->key());
}
}
if (arena == nullptr) {
return new Iterator(
std::shared_ptr<std::vector<const char*>>(
new std::vector<const char*>(std::move(compact_buckets))),
compare_);
} else {
auto mem = arena->AllocateAligned(sizeof(Iterator));
return new (mem) Iterator(
std::shared_ptr<std::vector<const char*>>(
new std::vector<const char*>(std::move(compact_buckets))),
compare_);
}
}
};
void HashCuckooRep::Get(const LookupKey& key, void* callback_args,
bool (*callback_func)(void* arg, const char* entry)) {
Slice user_key = key.user_key();
for (unsigned int hid = 0; hid < hash_function_count_; ++hid) {
const char* bucket =
cuckoo_array_[GetHash(user_key, hid)].load(std::memory_order_acquire);
if (bucket != nullptr) {
auto bucket_user_key = UserKey(bucket);
if (user_key.compare(bucket_user_key) == 0) {
callback_func(callback_args, bucket);
break;
}
} else {
// as Put() always stores at the vacant bucket located by the
// hash function with the smallest possible id, when we first
// find a vacant bucket in Get(), that means a miss.
break;
}
}
MemTableRep* backup_table = backup_table_.get();
if (backup_table != nullptr) {
backup_table->Get(key, callback_args, callback_func);
}
}
void HashCuckooRep::Insert(KeyHandle handle) {
static const float kMaxFullness = 0.90;
auto* key = static_cast<char*>(handle);
int initial_hash_id = 0;
size_t cuckoo_path_length = 0;
auto user_key = UserKey(key);
// find cuckoo path
if (FindCuckooPath(key, user_key, cuckoo_path_, &cuckoo_path_length,
initial_hash_id) == false) {
// if true, then we can't find a vacant bucket for this key even we
// have used up all the hash functions. Then use a backup memtable to
// store such key, which will further make this mem-table become
// immutable.
if (backup_table_.get() == nullptr) {
VectorRepFactory factory(10);
backup_table_.reset(
factory.CreateMemTableRep(compare_, allocator_, nullptr, nullptr));
is_nearly_full_ = true;
}
backup_table_->Insert(key);
return;
}
// when reaching this point, means the insert can be done successfully.
occupied_count_++;
if (occupied_count_ >= bucket_count_ * kMaxFullness) {
is_nearly_full_ = true;
}
// perform kickout process if the length of cuckoo path > 1.
if (cuckoo_path_length == 0) return;
// the cuckoo path stores the kickout path in reverse order.
// so the kickout or displacement is actually performed
// in reverse order, which avoids false-negatives on read
// by moving each key involved in the cuckoo path to the new
// location before replacing it.
for (size_t i = 1; i < cuckoo_path_length; ++i) {
int kicked_out_bid = cuckoo_path_[i - 1];
int current_bid = cuckoo_path_[i];
// since we only allow one writer at a time, it is safe to do relaxed read.
cuckoo_array_[kicked_out_bid]
.store(cuckoo_array_[current_bid].load(std::memory_order_relaxed),
std::memory_order_release);
}
int insert_key_bid = cuckoo_path_[cuckoo_path_length - 1];
cuckoo_array_[insert_key_bid].store(key, std::memory_order_release);
}
bool HashCuckooRep::Contains(const char* internal_key) const {
auto user_key = UserKey(internal_key);
for (unsigned int hid = 0; hid < hash_function_count_; ++hid) {
const char* stored_key =
cuckoo_array_[GetHash(user_key, hid)].load(std::memory_order_acquire);
if (stored_key != nullptr) {
if (compare_(internal_key, stored_key) == 0) {
return true;
}
}
}
return false;
}
bool HashCuckooRep::QuickInsert(const char* internal_key, const Slice& user_key,
int bucket_ids[], const int initial_hash_id) {
int cuckoo_bucket_id = -1;
// Below does the followings:
// 0. Calculate all possible locations of the input key.
// 1. Check if there is a bucket having same user_key as the input does.
// 2. If there exists such bucket, then replace this bucket by the newly
// insert data and return. This step also performs duplication check.
// 3. If no such bucket exists but exists a vacant bucket, then insert the
// input data into it.
// 4. If step 1 to 3 all fail, then return false.
for (unsigned int hid = initial_hash_id; hid < hash_function_count_; ++hid) {
bucket_ids[hid] = GetHash(user_key, hid);
// since only one PUT is allowed at a time, and this is part of the PUT
// operation, so we can safely perform relaxed load.
const char* stored_key =
cuckoo_array_[bucket_ids[hid]].load(std::memory_order_relaxed);
if (stored_key == nullptr) {
if (cuckoo_bucket_id == -1) {
cuckoo_bucket_id = bucket_ids[hid];
}
} else {
const auto bucket_user_key = UserKey(stored_key);
if (bucket_user_key.compare(user_key) == 0) {
cuckoo_bucket_id = bucket_ids[hid];
break;
}
}
}
if (cuckoo_bucket_id != -1) {
cuckoo_array_[cuckoo_bucket_id].store(const_cast<char*>(internal_key),
std::memory_order_release);
return true;
}
return false;
}
// Perform pre-check and find the shortest cuckoo path. A cuckoo path
// is a displacement sequence for inserting the specified input key.
//
// @return true if it successfully found a vacant space or cuckoo-path.
// If the return value is true but the length of cuckoo_path is zero,
// then it indicates that a vacant bucket or an bucket with matched user
// key with the input is found, and a quick insertion is done.
bool HashCuckooRep::FindCuckooPath(const char* internal_key,
const Slice& user_key, int* cuckoo_path,
size_t* cuckoo_path_length,
const int initial_hash_id) {
int bucket_ids[HashCuckooRepFactory::kMaxHashCount];
*cuckoo_path_length = 0;
if (QuickInsert(internal_key, user_key, bucket_ids, initial_hash_id)) {
return true;
}
// If this step is reached, then it means:
// 1. no vacant bucket in any of the possible locations of the input key.
// 2. none of the possible locations of the input key has the same user
// key as the input `internal_key`.
// the front and back indices for the step_queue_
step_buffer_.reset();
for (unsigned int hid = initial_hash_id; hid < hash_function_count_; ++hid) {
/// CuckooStep& current_step = step_queue_[front_pos++];
CuckooStep& current_step = step_buffer_.NextWriteBuffer();
current_step.bucket_id_ = bucket_ids[hid];
current_step.prev_step_id_ = CuckooStep::kNullStep;
current_step.depth_ = 1;
}
while (step_buffer_.HasNewWrite()) {
int step_id = step_buffer_.read_index_;
const CuckooStep& step = step_buffer_.ReadNext();
// Since it's a BFS process, then the first step with its depth deeper
// than the maximum allowed depth indicates all the remaining steps
// in the step buffer queue will all exceed the maximum depth.
// Return false immediately indicating we can't find a vacant bucket
// for the input key before the maximum allowed depth.
if (step.depth_ >= cuckoo_path_max_depth_) {
return false;
}
// again, we can perform no barrier load safely here as the current
// thread is the only writer.
auto bucket_user_key =
UserKey(cuckoo_array_[step.bucket_id_].load(std::memory_order_relaxed));
if (step.prev_step_id_ != CuckooStep::kNullStep) {
if (bucket_user_key.compare(user_key) == 0) {
// then there is a loop in the current path, stop discovering this path.
continue;
}
}
// if the current bucket stores at its nth location, then we only consider
// its mth location where m > n. This property makes sure that all reads
// will not miss if we do have data associated to the query key.
//
// The n and m in the above statement is the start_hid and hid in the code.
unsigned int start_hid = hash_function_count_;
for (unsigned int hid = 0; hid < hash_function_count_; ++hid) {
bucket_ids[hid] = GetHash(bucket_user_key, hid);
if (step.bucket_id_ == bucket_ids[hid]) {
start_hid = hid;
}
}
// must found a bucket which is its current "home".
assert(start_hid != hash_function_count_);
// explore all possible next steps from the current step.
for (unsigned int hid = start_hid + 1; hid < hash_function_count_; ++hid) {
CuckooStep& next_step = step_buffer_.NextWriteBuffer();
next_step.bucket_id_ = bucket_ids[hid];
next_step.prev_step_id_ = step_id;
next_step.depth_ = step.depth_ + 1;
// once a vacant bucket is found, trace back all its previous steps
// to generate a cuckoo path.
if (cuckoo_array_[next_step.bucket_id_].load(std::memory_order_relaxed) ==
nullptr) {
// store the last step in the cuckoo path. Note that cuckoo_path
// stores steps in reverse order. This allows us to move keys along
// the cuckoo path by storing each key to the new place first before
// removing it from the old place. This property ensures reads will
// not missed due to moving keys along the cuckoo path.
cuckoo_path[(*cuckoo_path_length)++] = next_step.bucket_id_;
int depth;
for (depth = step.depth_; depth > 0 && step_id != CuckooStep::kNullStep;
depth--) {
const CuckooStep& prev_step = step_buffer_.steps_[step_id];
cuckoo_path[(*cuckoo_path_length)++] = prev_step.bucket_id_;
step_id = prev_step.prev_step_id_;
}
assert(depth == 0 && step_id == CuckooStep::kNullStep);
return true;
}
if (step_buffer_.IsFull()) {
// if true, then it reaches maxinum number of cuckoo search steps.
return false;
}
}
}
// tried all possible paths but still not unable to find a cuckoo path
// which path leads to a vacant bucket.
return false;
}
HashCuckooRep::Iterator::Iterator(
std::shared_ptr<std::vector<const char*>> bucket,
const KeyComparator& compare)
: bucket_(bucket),
cit_(bucket_->end()),
compare_(compare),
sorted_(false) {}
void HashCuckooRep::Iterator::DoSort() const {
if (!sorted_) {
std::sort(bucket_->begin(), bucket_->end(),
stl_wrappers::Compare(compare_));
cit_ = bucket_->begin();
sorted_ = true;
}
}
// Returns true iff the iterator is positioned at a valid node.
bool HashCuckooRep::Iterator::Valid() const {
DoSort();
return cit_ != bucket_->end();
}
// Returns the key at the current position.
// REQUIRES: Valid()
const char* HashCuckooRep::Iterator::key() const {
assert(Valid());
return *cit_;
}
// Advances to the next position.
// REQUIRES: Valid()
void HashCuckooRep::Iterator::Next() {
assert(Valid());
if (cit_ == bucket_->end()) {
return;
}
++cit_;
}
// Advances to the previous position.
// REQUIRES: Valid()
void HashCuckooRep::Iterator::Prev() {
assert(Valid());
if (cit_ == bucket_->begin()) {
// If you try to go back from the first element, the iterator should be
// invalidated. So we set it to past-the-end. This means that you can
// treat the container circularly.
cit_ = bucket_->end();
} else {
--cit_;
}
}
// Advance to the first entry with a key >= target
void HashCuckooRep::Iterator::Seek(const Slice& user_key,
const char* memtable_key) {
DoSort();
// Do binary search to find first value not less than the target
const char* encoded_key =
(memtable_key != nullptr) ? memtable_key : EncodeKey(&tmp_, user_key);
cit_ = std::equal_range(bucket_->begin(), bucket_->end(), encoded_key,
[this](const char* a, const char* b) {
return compare_(a, b) < 0;
}).first;
}
// Position at the first entry in collection.
// Final state of iterator is Valid() iff collection is not empty.
void HashCuckooRep::Iterator::SeekToFirst() {
DoSort();
cit_ = bucket_->begin();
}
// Position at the last entry in collection.
// Final state of iterator is Valid() iff collection is not empty.
void HashCuckooRep::Iterator::SeekToLast() {
DoSort();
cit_ = bucket_->end();
if (bucket_->size() != 0) {
--cit_;
}
}
} // anom namespace
MemTableRep* HashCuckooRepFactory::CreateMemTableRep(
const MemTableRep::KeyComparator& compare, MemTableAllocator* allocator,
const SliceTransform* transform, Logger* logger) {
// The estimated average fullness. The write performance of any close hash
// degrades as the fullness of the mem-table increases. Setting kFullness
// to a value around 0.7 can better avoid write performance degradation while
// keeping efficient memory usage.
static const float kFullness = 0.7;
size_t pointer_size = sizeof(std::atomic<const char*>);
assert(write_buffer_size_ >= (average_data_size_ + pointer_size));
size_t bucket_count =
(write_buffer_size_ / (average_data_size_ + pointer_size)) / kFullness +
1;
unsigned int hash_function_count = hash_function_count_;
if (hash_function_count < 2) {
hash_function_count = 2;
}
if (hash_function_count > kMaxHashCount) {
hash_function_count = kMaxHashCount;
}
return new HashCuckooRep(compare, allocator, bucket_count,
hash_function_count,
(average_data_size_ + pointer_size) / kFullness);
}
MemTableRepFactory* NewHashCuckooRepFactory(size_t write_buffer_size,
size_t average_data_size,
unsigned int hash_function_count) {
return new HashCuckooRepFactory(write_buffer_size, average_data_size,
hash_function_count);
}
} // namespace rocksdb
#endif // ROCKSDB_LITE
| [
"liao-xj17@mails.tsinghua.edu.cn"
] | liao-xj17@mails.tsinghua.edu.cn |
0efce63daabbbaec4e00c3feac32b74a0acebfbd | a6446a0fbd672b9c4c58910b880cb7d651f2de9b | /7-Programação_Dinâmeica_3/A.cpp | f671d0c7ec1b169ecd09989b12d8226f7f3548df | [] | no_license | epitaciosilva/programing-marathon | b6b3059c81dcfc1a15bec9b347ec5b2d51e2aec1 | 51db67e44060e7b4a8e5f060c61347bdc7a18f3f | refs/heads/master | 2021-02-11T10:20:48.325371 | 2020-11-06T12:55:38 | 2020-11-06T12:55:38 | 244,481,558 | 0 | 0 | null | 2020-10-20T11:39:24 | 2020-03-02T21:42:38 | C++ | UTF-8 | C++ | false | false | 900 | cpp | #include <iostream>
#include <string>
#include <map>
#include <algorithm>
#include <vector>
using namespace std;
int main() {
ios::sync_with_stdio(false);
cin.tie(NULL);
int t, e,f,n,peso;
// int p[500001], w[10001];
cin >> t;
while(t--) {
cin >> e >> f;
cin >> n;
peso = f-e;
vector<int> m(peso+1, 10000000);
int p[n+1], w[n+1];
m[0] = 0;
for(int i = 1; i <=n; i++) {
cin >> p[i] >> w[i];
}
for(int i =1; i<=n; i++) {
for(int j=w[i]; j<=peso; j++) {
m[j] = min(m[j], m[j-w[i]]+p[i]);
}
}
if(m[peso]==10000000) {
cout << "This is impossible.\n";
} else {
cout << "The minimum amount of money in the piggy-bank is " << m[peso] << "."<< endl;
}
}
return 0;
}
| [
"bessa.epitacio@gmail.com"
] | bessa.epitacio@gmail.com |
2bc8f7dbad2a0d70090ce39eb896f2b7b3444fc1 | 9b26e884730a83748e4d253a1cd8afaea996de39 | /Pods/Realm/core/realm-monorepo.xcframework/ios-arm64_i386_x86_64-simulator/Headers/realm/util/serializer.hpp | b5ba033837a47cb1374a49c8dabf793a686ffc3f | [
"Apache-2.0",
"LicenseRef-scancode-generic-export-compliance"
] | permissive | stawigor/Weather-Forecast-test | 1e1ad744a3a4f74e1bb48d8a25d3b4adf3eba051 | a0fce6612760a191f49824d4630dd647ce67f17f | refs/heads/main | 2023-06-05T04:00:46.704964 | 2021-06-28T00:01:24 | 2021-06-28T00:01:24 | 380,859,831 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 129 | hpp | version https://git-lfs.github.com/spec/v1
oid sha256:d677af048ef51e331622a01502b5ee210cfeb91e1da7ffd1b6c34551e303872b
size 3036
| [
"75537067+stavigor@users.noreply.github.com"
] | 75537067+stavigor@users.noreply.github.com |
27e342a3e85c6dd59aeac75bbed525a02f2b8325 | c51febc209233a9160f41913d895415704d2391f | /library/ATF/_darkhole_mission_pass_inform_zocl.hpp | b16206a7c3d6eb377c28ead246b24332c20fb3e3 | [
"MIT"
] | permissive | roussukke/Yorozuya | 81f81e5e759ecae02c793e65d6c3acc504091bc3 | d9a44592b0714da1aebf492b64fdcb3fa072afe5 | refs/heads/master | 2023-07-08T03:23:00.584855 | 2023-06-29T08:20:25 | 2023-06-29T08:20:25 | 463,330,454 | 0 | 0 | MIT | 2022-02-24T23:15:01 | 2022-02-24T23:15:00 | null | UTF-8 | C++ | false | false | 365 | hpp | // This file auto generated by plugin for ida pro. Generated code only for x64. Please, dont change manually
#pragma once
#include <common/common.h>
START_ATF_NAMESPACE
#pragma pack(push, 1)
struct _darkhole_mission_pass_inform_zocl
{
char szCompleteMsgCode[17];
public:
int size();
};
#pragma pack(pop)
END_ATF_NAMESPACE
| [
"b1ll.cipher@yandex.ru"
] | b1ll.cipher@yandex.ru |
aaa852b898940a35815ef88cb6d605bfb373ae74 | b22588340d7925b614a735bbbde1b351ad657ffc | /athena/InnerDetector/InDetDetDescr/SCT_GeoModel/SCT_GeoModel/SCT_PixelAttachment.h | 5a8b6355486f69a2f6c97734b869945b4c0f1477 | [] | 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,065 | h | /*
Copyright (C) 2002-2017 CERN for the benefit of the ATLAS collaboration
*/
#ifndef SCT_GEOMODEL_SCT_PIXELATTACHMENT_H
#define SCT_GEOMODEL_SCT_PIXELATTACHMENT_H
#include "SCT_GeoModel/SCT_ComponentFactory.h"
#include <string>
class GeoMaterial;
class SCT_PixelAttachment : public SCT_SharedComponentFactory
{
public:
SCT_PixelAttachment(const std::string & name);
public:
const GeoMaterial * material() const {return m_material;}
double innerRadius() const {return m_innerRadius;}
double outerRadius() const {return m_outerRadius;}
double zMax() const {return m_zMax;}
double zMin() const {return m_zMin;}
double length() const {return m_length;}
double radialThickness() const {return m_outerRadius - m_innerRadius;}
double zPosition() const {return 0.5*(m_zMin+m_zMax);}
private:
void getParameters();
virtual GeoVPhysVol * build();
const GeoMaterial * m_material;
double m_innerRadius;
double m_outerRadius;
double m_zMin;
double m_zMax;
double m_length;
};
#endif // SCT_GEOMODEL_SCT_PIXELATTACHMENT_H
| [
"rushioda@lxplus754.cern.ch"
] | rushioda@lxplus754.cern.ch |
9845445d6a99fd5902842d6f9ea9b8f2d0e25b61 | 1c9f21e9943d8f79ddcc470a757c24e33969a0de | /NumberDecorator.hpp | 83368d6d0c5b758cddf1ecab526018e0a6f61999 | [] | no_license | FernandoCesarMS/Decorator | fae717a399a11d88121e04db39c96689a89e1055 | 969a26559da969a07722eaf48906e70c5db19744 | refs/heads/master | 2022-12-08T16:54:52.948864 | 2020-09-16T02:56:59 | 2020-09-16T02:56:59 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,007 | hpp | #ifndef NUMBER_DECORATOR_H
#define NUMBER_DECORATOR_H
#include "StreamDecorator.hpp"
/**
* \brief This decorator takes a stream, and adds a '+' sign in front of every
* integer in this stream. This decorator preserves one space between
* consecutive tokens (no space after the last token). Notice that real
* numbers with a dot '.' remain unaltered.
* Example: "a 23 b 3.14" => "a +23 b 3.14"
*/
class NumberDecorator : public StreamDecorator
{
public:
/**
* \brief The constructor, which sends the object that will be decorated,
* i.e., the stream, to the base decorator.
* \param the object that must be decorated.
*/
NumberDecorator(AbstractStream *streamObj) : StreamDecorator(streamObj) {}
/**
* \brief The destructor is the default destructor produced by the compiler.
*/
~NumberDecorator(){};
/**
* \brief This decorated method adds the '+' sign in front of the integers.
* \return the decorated string.
*/
std::string toString() override;
};
#endif | [
"cmnando.silva@gmail.com"
] | cmnando.silva@gmail.com |
30d876a8647e71e3fa25d15c6b20f17f238bc163 | b962ef7b06cdba3bad1ae8760fd7effb020606e1 | /cpp/SampleImportPoints/SampleImportPointsApp.cpp | 47c722d6be71711b5196ff6f4998ef19dad00cd3 | [
"MIT"
] | permissive | angellinares/rhino-developer-samples | 98df1b0355963533fc1d905e39ee73e80e2fe7eb | 40d3281f56f5febe812c7c6f2f96a52ba75b30e6 | refs/heads/master | 2021-01-18T16:47:47.046808 | 2017-03-22T20:19:07 | 2017-03-22T20:19:07 | 86,769,972 | 1 | 0 | null | 2017-03-31T02:33:54 | 2017-03-31T02:33:54 | null | UTF-8 | C++ | false | false | 2,292 | cpp | /////////////////////////////////////////////////////////////////////////////
// SampleImportPointsApp.cpp : Defines the initialization routines for the DLL.
//
#include "stdafx.h"
#include "SampleImportPointsApp.h"
//
// Note!
//
// A Rhino plug-in is an MFC DLL.
//
// If this DLL is dynamically linked against the MFC
// DLLs, any functions exported from this DLL which
// call into MFC must have the AFX_MANAGE_STATE macro
// added at the very beginning of the function.
//
// For example:
//
// extern "C" BOOL PASCAL EXPORT ExportedFunction()
// {
// AFX_MANAGE_STATE(AfxGetStaticModuleState());
// // normal function body here
// }
//
// It is very important that this macro appear in each
// function, prior to any calls into MFC. This means that
// it must appear as the first statement within the
// function, even before any object variable declarations
// as their constructors may generate calls into the MFC
// DLL.
//
// Please see MFC Technical Notes 33 and 58 for additional
// details.
//
// CSampleImportPointsApp
BEGIN_MESSAGE_MAP(CSampleImportPointsApp, CWinApp)
END_MESSAGE_MAP()
/////////////////////////////////////////////////////////////////////////////
// CSampleImportPointsApp construction
CSampleImportPointsApp::CSampleImportPointsApp()
{
// TODO: add construction code here,
// Place all significant initialization in InitInstance
}
// The one and only CSampleImportPointsApp object
CSampleImportPointsApp theApp;
/////////////////////////////////////////////////////////////////////////////
// CSampleImportPointsApp initialization
BOOL CSampleImportPointsApp::InitInstance()
{
// CRITICAL: DO NOT CALL RHINO SDK FUNCTIONS HERE!
// Only standard MFC DLL instance initialization belongs here.
// All other significant initialization should take place in
// CSampleImportPointsPlugIn::OnLoadPlugIn().
CWinApp::InitInstance();
return TRUE;
}
int CSampleImportPointsApp::ExitInstance()
{
// CRITICAL: DO NOT CALL RHINO SDK FUNCTIONS HERE!
// Only standard MFC DLL instance clean up belongs here.
// All other significant cleanup should take place in either
// CSampleImportPointsPlugIn::OnSaveAllSettings() or CSampleImportPointsPlugIn::OnUnloadPlugIn().
return CWinApp::ExitInstance();
}
| [
"dale@mcneel.com"
] | dale@mcneel.com |
30b9703d990425af83be664da65c6f4fc2d68103 | c6e675ac42bf9dd7bd5967e73352427ba562530e | /src/StatToolImpl.cpp | 5d21526d77841053c5b3c9d8f5dd821368c96dad | [] | no_license | adrien-zinger/async_stat_module | 2f8521e9e783914c03ecf8f22da87b2de1db3cbe | 787cc29b7bd6c2a9e68328e350ecad881f30cf76 | refs/heads/master | 2023-05-09T08:14:43.075145 | 2021-05-11T17:56:13 | 2021-05-11T17:56:13 | 366,470,113 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,507 | cpp | #include "StatToolImpl.hpp"
#include <cmath>
#include <pthread.h>
#include <memory>
bool StatToolImpl::FindIndex(const std::vector<int> &vec, const int ref, const bool left, int &index) {
int l = 0;
int r = vec.size() - 1;
if (ref <= 0 || vec.size() < 1 || vec[l] > ref || vec[r] < ref || vec[l] >= vec[r])
return false;
if (vec[l] == ref) {
index = l;
return true;
}
if (vec[r] == ref) {
index = r;
return true;
}
while (r - l > 1) {
const int m = std::floor((l+r) / 2);
if (vec[m] == ref) {
index = m;
return true;
}
if (vec[l] <= ref && ref < vec[m])
r = m;
else l = m;
}
index = left ? l : r;
return true;
}
struct thread_data {
int sum, size;
std::vector<int>::iterator from;
std::vector<int>::iterator end;
};
void *sum_array(void* arg) {
struct thread_data *data;
data = (struct thread_data *) arg;
data->sum = 0;
int i = 0;
auto it = data->from;
for (; it != data->end && i < data->size; data->sum += *it, ++it, ++i);
return nullptr;
}
int StatToolImpl::Sum(const std::vector<int>::iterator &begin,
const std::vector<int>::iterator &end, int size) {
int sum = 0;
auto from = begin;
if (size <= MAX_THREAD) { // easy return
for (auto it = begin; it != end; sum += *it++);
return sum;
}
// Else dividing
pthread_t threads[MAX_THREAD];
struct thread_data data[MAX_THREAD];
const auto cutsize = std::floor(size / MAX_THREAD);
const int remaining = (size % MAX_THREAD) == 0 ? cutsize : size % MAX_THREAD + 1;
for (int i = 0; i < MAX_THREAD; ++i, from += cutsize) {
data[i].from = from;
data[i].size = (i == MAX_THREAD - 1) ? remaining : cutsize;
data[i].end = end;
data[i].sum = 0;
pthread_create(&threads[i], nullptr, sum_array, (void*)&data[i]);
}
for (int i = 0; i < MAX_THREAD; sum += data[i].sum, ++i)
pthread_join(threads[i], nullptr);
return sum;
}
void StatToolImpl::Push(const int time_trim, const int time_us, const int value, StatVector &vec) {
const auto trim_ref = time_us - time_trim;
vec.val.push_back(value);
vec.time_us.push_back(time_us);
int trim_index;
if (FindIndex(vec.time_us, trim_ref, true, trim_index)) {
vec.val.erase(vec.val.begin() + trim_index);
vec.time_us.erase(vec.time_us.begin() + trim_index);
}
}
| [
"azinger@eos-imaging.com"
] | azinger@eos-imaging.com |
121c33c6826701df5fa5710f2854ec6adfe5c986 | 345d9a4ad960c76aab172ea29b7134fd4d6a045c | /src/casinocoin/conditions/impl/Condition.cpp | eae93175ec70f09ef1fa6b57db4d33884c728b31 | [
"MIT-Wu",
"MIT",
"ISC",
"BSL-1.0"
] | permissive | ajochems/casinocoind | 7357ee50ad2708b22010c01981e57138806ec67a | 4ec0d39ea1687e724070ed7315c7e1115fc43bce | refs/heads/master | 2020-03-22T21:41:13.940891 | 2019-10-03T18:53:28 | 2019-10-03T18:53:28 | 140,707,219 | 1 | 0 | NOASSERTION | 2019-10-03T18:53:30 | 2018-07-12T11:58:21 | C++ | UTF-8 | C++ | false | false | 6,244 | cpp | //------------------------------------------------------------------------------
/*
This file is part of rippled: https://github.com/ripple/rippled
Copyright (c) 2016 Ripple Labs Inc.
Permission to use, copy, modify, and/or distribute this software for any
purpose with or without fee is hereby granted, provided that the above
copyright notice and this permission notice appear in all copies.
THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
ANY SPECIAL , DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
*/
//==============================================================================
//==============================================================================
/*
2017-06-29 ajochems Refactored for casinocoin
*/
//==============================================================================
#include <casinocoin/basics/contract.h>
#include <casinocoin/conditions/Condition.h>
#include <casinocoin/conditions/Fulfillment.h>
#include <casinocoin/conditions/impl/PreimageSha256.h>
#include <casinocoin/conditions/impl/utils.h>
#include <boost/regex.hpp>
#include <boost/optional.hpp>
#include <vector>
#include <iostream>
namespace casinocoin {
namespace cryptoconditions {
namespace detail {
// The binary encoding of conditions differs based on their
// type. All types define at least a fingerprint and cost
// sub-field. Some types, such as the compound condition
// types, define additional sub-fields that are required to
// convey essential properties of the cryptocondition (such
// as the sub-types used by sub-conditions in the case of
// the compound types).
//
// Conditions are encoded as follows:
//
// Condition ::= CHOICE {
// preimageSha256 [0] SimpleSha256Condition,
// prefixSha256 [1] CompoundSha256Condition,
// thresholdSha256 [2] CompoundSha256Condition,
// rsaSha256 [3] SimpleSha256Condition,
// ed25519Sha256 [4] SimpleSha256Condition
// }
//
// SimpleSha256Condition ::= SEQUENCE {
// fingerprint OCTET STRING (SIZE(32)),
// cost INTEGER (0..4294967295)
// }
//
// CompoundSha256Condition ::= SEQUENCE {
// fingerprint OCTET STRING (SIZE(32)),
// cost INTEGER (0..4294967295),
// subtypes ConditionTypes
// }
//
// ConditionTypes ::= BIT STRING {
// preImageSha256 (0),
// prefixSha256 (1),
// thresholdSha256 (2),
// rsaSha256 (3),
// ed25519Sha256 (4)
// }
constexpr std::size_t fingerprintSize = 32;
std::unique_ptr<Condition>
loadSimpleSha256(Type type, Slice s, std::error_code& ec)
{
using namespace der;
auto p = parsePreamble(s, ec);
if (ec)
return {};
if (!isPrimitive(p) || !isContextSpecific(p))
{
ec = error::incorrect_encoding;
return {};
}
if (p.tag != 0)
{
ec = error::unexpected_tag;
return {};
}
if (p.length != fingerprintSize)
{
ec = error::fingerprint_size;
return {};
}
Buffer b = parseOctetString(s, p.length, ec);
if (ec)
return {};
p = parsePreamble(s, ec);
if (ec)
return {};
if (!isPrimitive(p) || !isContextSpecific(p))
{
ec = error::malformed_encoding;
return{};
}
if (p.tag != 1)
{
ec = error::unexpected_tag;
return {};
}
auto cost = parseInteger<std::uint32_t>(s, p.length, ec);
if (ec)
return {};
if (!s.empty())
{
ec = error::trailing_garbage;
return {};
}
switch (type)
{
case Type::preimageSha256:
if (cost > PreimageSha256::maxPreimageLength)
{
ec = error::preimage_too_long;
return {};
}
break;
default:
break;
}
return std::make_unique<Condition>(type, cost, std::move(b));
}
}
std::unique_ptr<Condition>
Condition::deserialize(Slice s, std::error_code& ec)
{
// Per the RFC, in a condition we choose a type based
// on the tag of the item we contain:
//
// Condition ::= CHOICE {
// preimageSha256 [0] SimpleSha256Condition,
// prefixSha256 [1] CompoundSha256Condition,
// thresholdSha256 [2] CompoundSha256Condition,
// rsaSha256 [3] SimpleSha256Condition,
// ed25519Sha256 [4] SimpleSha256Condition
// }
if (s.empty())
{
ec = error::buffer_empty;
return {};
}
using namespace der;
auto const p = parsePreamble(s, ec);
if (ec)
return {};
// All fulfillments are context-specific, constructed
// types
if (!isConstructed(p) || !isContextSpecific(p))
{
ec = error::malformed_encoding;
return {};
}
if (p.length > s.size())
{
ec = error::buffer_underfull;
return {};
}
if (s.size() > maxSerializedCondition)
{
ec = error::large_size;
return {};
}
std::unique_ptr<Condition> c;
switch (p.tag)
{
case 0: // PreimageSha256
c = detail::loadSimpleSha256(
Type::preimageSha256,
Slice(s.data(), p.length), ec);
if (!ec)
s += p.length;
break;
case 1: // PrefixSha256
ec = error::unsupported_type;
return {};
case 2: // ThresholdSha256
ec = error::unsupported_type;
return {};
case 3: // RsaSha256
ec = error::unsupported_type;
return {};
case 4: // Ed25519Sha256
ec = error::unsupported_type;
return {};
default:
ec = error::unknown_type;
return {};
}
if (!s.empty())
{
ec = error::trailing_garbage;
return {};
}
return c;
}
}
}
| [
"andre@jochems.com"
] | andre@jochems.com |
0ea113c0f8b035763d42324fffba13f7d97ff7b4 | 5bc47dcf9ab0843b9d06bc25012bcb2f78874216 | /670E.cpp | 30b4f2539eb3757755f335a0c72371836ada4d9f | [] | no_license | MijaTola/Codeforce | 428f466248a4e9d42ac457aa971f681320dc5018 | 9e85803464ed192c6c643bd0f920f345503ac967 | refs/heads/master | 2021-01-10T16:27:12.479907 | 2020-10-14T15:00:14 | 2020-10-14T15:00:14 | 45,284,776 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,036 | cpp | #include <bits/stdc++.h>
using namespace std;
int Next[500010];
int Back[500010];
int ini[500010];
int fin[500010];
char s[500010];
stack<int> st;
int n,m,p;
int main() {
scanf("%d %d %d %s", &n, &m, &p, s + 1);
Next[0] = 1;
Back[n] = n - 1;
for (int i = 1; i <= n; ++i) {
Next[i] = i + 1;
Back[i] = i - 1;
if(s[i] == '(') st.push(i);
else {
int pos = st.top();
st.pop();
ini[pos] = ini[i] = pos;
fin[pos] = fin[i] = i;
}
}
while(m--) {
char c;
cin >> c;
if(c == 'R') p = Next[p];
if(c == 'L') p = Back[p];
if(c == 'D') {
int l = Back[ini[p]];
int r = Next[fin[p]];
Next[l] = r;
Back[r] = l;
if(Next[l] <= n) p = Next[l];
else p = Back[r];
}
}
p = Next[0];
while (p <= n) {
printf("%c", s[p]);
p = Next[p];
}
puts("");
return 0;
}
//((())()())
//RRDDRDD
| [
"mija.tola.ap@gmail.com"
] | mija.tola.ap@gmail.com |
c9fcf5c086fddbe50b3f5f9313ca9fa5878bda09 | d2de6f54bae55578f9d6f6d621b1892efe7eb076 | /gluecodium/src/test/resources/smoke/nullable/output/dart/ffi/NullableHandles.h | 96563eb23203a81e4b1bdbaeeecdb668e236754e | [
"Apache-2.0"
] | permissive | heremaps/gluecodium | 812f4b8a6a0f01979d6902b5e0cfe003a5b82347 | 92e6a514dc8bdb786ad949f79df249da277c6e88 | refs/heads/master | 2023-08-24T19:34:55.818503 | 2023-08-24T06:02:15 | 2023-08-24T06:02:15 | 139,735,719 | 172 | 17 | Apache-2.0 | 2023-09-01T11:49:28 | 2018-07-04T14:55:33 | Dart | UTF-8 | C++ | false | false | 3,993 | h | #pragma once
#include "Export.h"
#include "OpaqueHandle.h"
#include <cstdint>
#ifdef __cplusplus
extern "C" {
#endif
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Byte_create_handle_nullable(int8_t value);
_GLUECODIUM_FFI_EXPORT void library_Byte_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT int8_t library_Byte_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_UByte_create_handle_nullable(uint8_t value);
_GLUECODIUM_FFI_EXPORT void library_UByte_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT uint8_t library_UByte_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Short_create_handle_nullable(int16_t value);
_GLUECODIUM_FFI_EXPORT void library_Short_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT int16_t library_Short_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_UShort_create_handle_nullable(uint16_t value);
_GLUECODIUM_FFI_EXPORT void library_UShort_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT uint16_t library_UShort_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Int_create_handle_nullable(int32_t value);
_GLUECODIUM_FFI_EXPORT void library_Int_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT int32_t library_Int_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_UInt_create_handle_nullable(uint32_t value);
_GLUECODIUM_FFI_EXPORT void library_UInt_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT uint32_t library_UInt_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Long_create_handle_nullable(int64_t value);
_GLUECODIUM_FFI_EXPORT void library_Long_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT int64_t library_Long_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_ULong_create_handle_nullable(uint64_t value);
_GLUECODIUM_FFI_EXPORT void library_ULong_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT uint64_t library_ULong_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Float_create_handle_nullable(float value);
_GLUECODIUM_FFI_EXPORT void library_Float_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT float library_Float_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Double_create_handle_nullable(double value);
_GLUECODIUM_FFI_EXPORT void library_Double_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT double library_Double_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Boolean_create_handle_nullable(bool value);
_GLUECODIUM_FFI_EXPORT void library_Boolean_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT bool library_Boolean_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_String_create_handle_nullable(FfiOpaqueHandle value);
_GLUECODIUM_FFI_EXPORT void library_String_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_String_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Blob_create_handle_nullable(FfiOpaqueHandle value);
_GLUECODIUM_FFI_EXPORT void library_Blob_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Blob_get_value_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Locale_create_handle_nullable(FfiOpaqueHandle value);
_GLUECODIUM_FFI_EXPORT void library_Locale_release_handle_nullable(FfiOpaqueHandle handle);
_GLUECODIUM_FFI_EXPORT FfiOpaqueHandle library_Locale_get_value_nullable(FfiOpaqueHandle handle);
#ifdef __cplusplus
}
#endif
| [
"noreply@github.com"
] | heremaps.noreply@github.com |
8a86baa203d9257e654788288a19d9099dc25714 | 0733126cd332199e01982462c5a282c49e33a9cf | /Algorithm/cpp/126.WordLadderII.cpp | ebb36bb61e0a68a7d2d62f15ec34440b7844a834 | [
"MIT"
] | permissive | 741zxc606/LeetCodePractices | 70d271f70a4ecc5e2506dc842c5f610dd5eea1b7 | 6a87edf601ecc52d627b1a5e19b96983fc37bc92 | refs/heads/master | 2021-06-04T20:24:52.674715 | 2019-12-31T08:16:55 | 2019-12-31T08:16:55 | 95,416,039 | 0 | 0 | null | 2019-01-10T03:01:22 | 2017-06-26T06:37:02 | C++ | UTF-8 | C++ | false | false | 4,521 | cpp | /*
* 126.Word Ladder II
* Given two words (beginWord and endWord),and a dictionary's word list,find all shorted transformation sequence(s) from beginWord to
* endWord,such that:
* 1.Only one letter can be changed at a time
* 2.Each transformed word must exist in the word list.Note that beginWord is not a transformed word.
* For example,
* Given:
* beginWord = "hit"
* endWord = "cog"
* wordList = ["hot","dot","dog","lot","log","cog"]
* Return
* [
* ["hit","hot","dot","dog","cog"],
* ["hit","hot","lot","log","cog"]
* ]
* Note:
* - Return an empty list if there is no such transformation sequence.
* - All words have the same length.
* - All words contain only lowercase alphabetic characters.
* - You may assume no duplicates in the word list.
* - You may assume beginWord and endWord are non-empty and are not the same.
*/
#include <iostream>
#include <map>
#include <queue>
#include <unordered_set>
#include <vector>
#include <string>
#include <algorithm>
using namespace std;
// 2 Methods:
//
// 1)Using BSF algorithm build a tree like below.
// 2)Using DSF to parse the transformation path.
map <string, unordered_set<string>>& buildTree(string& beginWord, string& endWord, unordered_set<string> &wordList)
{
static map<string, unordered_set<string>> parents;
parents.clear();
unordered_set<string> level[3];
unordered_set<string> *previousLevel = &level[0];
unordered_set<string> *currentLevel = &level[1];
unordered_set<string> *newLevel = &level[2];
unordered_set<string> *p = NULL;
currentLevel->insert(beginWord);
bool reachEnd = false;
while (!reachEnd)
{
newLevel->clear();
for (auto it = currentLevel->begin(); it != currentLevel->end(); it++)
{
for (int i = 0; i < it->size(); i++)
{
string newWord = *it;
for (char c = 'a'; c < 'z'; c++)
{
newWord[i] = c;
if (newWord == endWord)
{
reachEnd = true;
parents[*it].insert(endWord);
continue;
}
if (wordList.count(newWord) == 0 || currentLevel->count(newWord) > 0 || previousLevel->count(newWord) > 0)
{
continue;
}
newLevel->insert(newWord);
parents[*it].insert(newWord);
}
}
}
if (newLevel->empty()) break;
p = previousLevel;
previousLevel = currentLevel;
currentLevel = newLevel;
newLevel = p;
}
if (!reachEnd)
{
parents.clear();
}
return parents;
}
void generatePath(string beginWord, string endWord, map<string, unordered_set<string>> &parents, vector<string>path, vector<vector<string>> &paths)
{
if (parents.find(beginWord) == parents.end())
{
if (beginWord == endWord)
{
paths.push_back(path);
}
return;
}
for (auto it = parents[beginWord].begin(); it != parents[beginWord].end(); it++)
{
path.push_back(*it);
generatePath(*it, endWord, parents, path, paths);
path.pop_back();
}
}
vector<vector<string>> findLadders(string beginWord, string endWord, unordered_set<string> &wordList)
{
vector<vector<string>> ladders;
vector<string> ladder;
ladder.push_back(beginWord);
if (beginWord == endWord)
{
ladder.push_back(endWord);
ladders.push_back(ladder);
return ladders;
}
map<string, unordered_set<string>> &parents = buildTree(beginWord, endWord, wordList);
if (parents.size() <= 0)
{
return ladders;
}
generatePath(beginWord, endWord, parents, ladder, ladders);
return ladders;
}
void printLadders(vector<vector<string>>&ladders)
{
int i, j;
for (i = 0; i < ladders.size(); i++)
{
for (j = 0; j < ladders[i].size() - 1; j++)
{
cout << ladders[i][j] << "->";
}
cout << ladders[i][j] << endl;
}
}
int main()
{
string beginWord = "hit";
string endWord = "cog";
unordered_set<string> wordList({ "hot","dot","dog","lot","log","cog" });
vector<vector<string>> ladders;
ladders = findLadders(beginWord, endWord, wordList);
printLadders(ladders);
return 0;
}
| [
"noreply@github.com"
] | 741zxc606.noreply@github.com |
39f6f4f2c1d48c0d8ca0036f85ca5ea7b7d3307c | 018eac278e23bf4611b1b5d4aa0ac106dff8238b | /problem/DP/区间dp/CF 149D - Coloring Brackets.cpp | 86a34337af04786e7de3fc2c87bb50c277bf3efb | [] | no_license | qian99/acm | 250294b153455913442d13bb5caed1a82cd0b9e3 | 4f88f34cbd6ee33476eceeeec47974c1fe2748d8 | refs/heads/master | 2021-01-11T17:38:56.835301 | 2017-01-23T15:00:46 | 2017-01-23T15:00:47 | 79,812,471 | 3 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 3,289 | cpp | #include<iostream>
#include<cstdio>
#include<cstring>
#include<string>
#include<algorithm>
#include<map>
#include<queue>
#include<set>
#include<stack>
#include<cmath>
#include<vector>
#define inf 0x3f3f3f3f
#define Inf 0x3FFFFFFFFFFFFFFFLL
#define eps 1e-9
#define pi acos(-1.0)
using namespace std;
typedef long long ll;
const int mod=1000000007;
const int maxn=700+10;
ll dp[maxn][maxn][9];
int con[9][2]={{0,1},{0,2},{2,0},{1,0},{0,0},{1,1},{1,2},{2,1},{2,2}};
int id[10][10];
int match[maxn],S[maxn],cnt,n;
bool flag[maxn][maxn];
char str[maxn];
int main()
{
//freopen("in.txt","r",stdin);
//freopen("out.txt","w",stdout);
for(int i=0;i<9;++i)
id[con[i][0]][con[i][1]]=i;
while(~scanf("%s",str))
{
n=strlen(str);
cnt=0;
S[cnt++]=0;
for(int i=1;i<n;++i)
if(str[i]=='(') S[cnt++]=i;
else
{
match[i]=S[cnt-1];
match[S[cnt-1]]=i;
cnt--;
}
memset(dp,0,sizeof(dp));
memset(flag,0,sizeof(flag));
for(int i=0;i<n-1;++i)
if(match[i]==i+1)
{
dp[i][i+1][0]=dp[i][i+1][1]=dp[i][i+1][2]=dp[i][i+1][3]=1;
flag[i][i+1]=true;
}
int l,r;
for(int k=4;k<=n;++k)
for(int i=0;i<=n-k;++i)
{
if(str[i]=='('&&str[i+k-1]==')'&&flag[i+1][i+k-2])
flag[i][i+k-1]=true;
else
{
l=i;r=match[i];
if(r<i+k-1&&flag[l][r]&&flag[r+1][i+k-1])
flag[i][i+k-1]=true;
}
}
for(int k=4;k<=n;k+=2)
for(int i=0;i<=n-k;++i)
if(flag[i][i+k-1])
{
if(str[i]=='('&&str[i+k-1]==')'&&flag[i+1][i+k-2])
{
for(int j=0;j<4;++j)
{
for(int x=0;x<9;++x)
{
if(con[j][0]!=0&&con[x][0]==con[j][0])
continue;
if(con[j][1]!=0&&con[x][1]==con[j][1])
continue;
dp[i][i+k-1][j]+=dp[i+1][i+k-2][x];
dp[i][i+k-1][j]%=mod;
}
}
}
else
{
l=i;r=match[i];
for(int j=0;j<9;++j)
for(int x=0;x<9;++x)
{
if(con[j][1]!=0&&con[x][0]==con[j][1])
continue;
dp[i][i+k-1][id[con[j][0]][con[x][1]]]+=dp[l][r][j]*dp[r+1][i+k-1][x];
dp[i][i+k-1][id[con[j][0]][con[x][1]]]%=mod;
}
}
}
ll ans=0;
for(int i=0;i<9;++i)
ans=(ans+dp[0][n-1][i])%mod;
printf("%I64d\n",ans);
}
return 0;
}
| [
"123u@loyings-public-folder.local"
] | 123u@loyings-public-folder.local |
8e4bad8941bd6201a4fab59be81bad211a30d4aa | 488331a15399a7eba5bb8e7dd9041f67566f6380 | /src/LEDTask.cpp | 1fe0dcf45f63733119f5f056af9b6831c49efc19 | [] | no_license | HydroSense/teensy-freertos | 8698fc6340d2fcdd3a3e23c5df9a452a585cee28 | e7a5015df71596fa00617f600e01c911e4905c2b | refs/heads/master | 2021-01-10T17:47:41.466744 | 2016-02-08T21:51:08 | 2016-02-08T21:51:08 | 50,954,737 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 615 | cpp |
#include <kinetis.h>
#include <FreeRTOS.h>
#include <task.h>
int LED_CONFIG = 0x00000102;
int LED_MASK = 0x00000020;
int counter = 0;
#include <Arduino.h>
int ledPin = 13;
void LEDTask(void* args) {
pinMode(ledPin, OUTPUT);
for(;;){
if (counter++ % 2) {
digitalWrite(ledPin, LOW);
} else {
digitalWrite(ledPin, HIGH);
}
vTaskDelay(10);
}
}
/* pure ARM configuration
// setup
PORTC_PCR5 = LED_CONFIG;
GPIOC_PDDR |= LED_MASK;
// execution
for(;;) {
if (counter++ % 2) {
GPIOC_PDOR |= LED_MASK;
} else {
GPIOC_PDOR &= ~LED_MASK;
}
}
*/
| [
"cheinzmann3@gmail.com"
] | cheinzmann3@gmail.com |
44df691a98eb56df68fcba71e2a4f2b45ebd461b | 0379dd91363f38d8637ff242c1ce5d3595c9b549 | /windows_10_shared_source_kit/windows_10_shared_source_kit/unknown_version/Source/Tests/Graphics/Graphics/DirectX/d3d/conf/MeasureHPC/Draw.cpp | 49c1f72485a1e759de1f44f06cfbaa787bfad635 | [] | no_license | zhanglGitHub/windows_10_shared_source_kit | 14f25e6fff898733892d0b5cc23b2b88b04458d9 | 6784379b0023185027894efe6b97afee24ca77e0 | refs/heads/master | 2023-03-21T05:04:08.653859 | 2020-09-28T16:44:54 | 2020-09-28T16:44:54 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,604 | cpp | ////////////////////////////////////////////////////////////////////////////////
// Draw.cpp
////////////////////////////////////////////////////////////////////////////////
#include "Frequency.h"
#include <d3d11_1.h>
#include <d3dcompiler.h>
#include <directxmath.h>
#include <directxcolors.h>
using namespace DirectX;
////////////////////////////////////////////////////////////////////////////////
// CFrequencyTest_Draw
////////////////////////////////////////////////////////////////////////////////
TEST_RESULT CFrequencyTest_Draw::SetupTestCase()
{
TEST_RESULT tr = CTimingDataTest::SetupTestCase();
if (tr != RESULT_PASS)
{
return tr;
}
struct VertexPos
{
XMFLOAT3 Pos;
};
const int width = 640;
const int height = 480;
const int vertex_width = validate ? 16 : width / 4;
const int vertex_height = validate ? 16 : height / 4;
static VertexPos vertices[vertex_width * vertex_height * 3] =
{
XMFLOAT3(-1.0f, -1.0f, 0.0f),
XMFLOAT3(-1.0f + 1.0f / width, -1.0f + 2.0f / height, 0.0f),
XMFLOAT3(-1.0f + 2.0f / width, -1.0f, 0.0f),
};
// Prepare vertex buffer
for (int i = 3; i < _countof(vertices); i++)
{
int k = i % 3;
float x = (float)((i / 3) % vertex_width ) * 2.0f / width;
float y = (float)((i / 3) / vertex_width ) * 2.0f / height;
vertices[i].Pos = XMFLOAT3(vertices[k].Pos.x + 4 * x, vertices[k].Pos.y + 4 * y, vertices[k].Pos.z);
}
m_vertices = (void *)vertices;
m_vertices_size = sizeof(vertices);
m_vertices_count = _countof(vertices);
m_stride = sizeof(VertexPos);
m_offset = 0;
// Define the input layout
static D3D11_INPUT_ELEMENT_DESC layout[] =
{
{ "POSITION", 0, DXGI_FORMAT_R32G32B32_FLOAT, 0, D3D11_APPEND_ALIGNED_ELEMENT, D3D11_INPUT_PER_VERTEX_DATA, 0 },
};
static string my_VS = "float4 VSMain(float4 Pos : POSITION) : SV_POSITION \n{\n return Pos; \n}\n";
static string my_PS = "float4 PSMain(float4 Pos : SV_POSITION) : SV_Target \n{\n return float4(1.0f, 1.0f, 0.0f, 1.0f);\n}\n";
//override Vertex and Pixel Shaders
m_display = true;
m_szVS = my_VS;
m_szPS = my_PS;
m_szPS_Alt = my_PS;
m_layout = layout;
m_layout_count = _countof(layout);
m_width = width;
m_height = height;
m_topology = D3D11_PRIMITIVE_TOPOLOGY_TRIANGLELIST;
tr = SetupPipeline();
if (tr != RESULT_PASS)
{
return tr;
}
return RESULT_PASS;
}
TEST_RESULT CFrequencyTest_Draw::ExecuteTestCase()
{
TEST_RESULT tr;
HRESULT hr = E_FAIL;
FILE *fp = NULL;
PTCHAR comma = _T("");
if (!validate)
{
fp = fopen("times.csv", "a");
}
// pass 3 is our normal test.
int firstpass = validate ? 3 : 0;
for (int pass = firstpass; pass <= 3; pass++)
{
LARGE_INTEGER QPF, QPC_Init, QPC_Max, QPC_Now, Elapsed;
ID3D11Query *pQuery = nullptr;
UINT64 queryData;
D3D11_QUERY_DESC desc = {};
switch (pass)
{
case 1:
case 2:
desc.Query = D3D11_QUERY_TIMESTAMP;
m_pDevice->CreateQuery(&desc, &pQuery);
break;
case 3:
if (m_bTracing == true) //deanwi
{
fprintf(fp, "error tracng\n");
}
tr = StartETWTracing();
if (tr != RESULT_PASS)
{
return tr;
}
break;
}
QueryPerformanceFrequency(&QPF);
QueryPerformanceCounter(&QPC_Init);
QPC_Max.QuadPart = seconds * QPF.QuadPart;
int loopcount = 0;
do
{
m_pDeviceContext->ClearRenderTargetView(m_pRTView, Colors::MidnightBlue);
switch (pass)
{
case 1:
case 2:
for (UINT u = 0; u < m_vertices_count; u += 3)
{
m_pDeviceContext->Draw(3, u);
m_pDeviceContext->End(pQuery);
if (pass == 2)
{
GetFramework()->GetDataWithTimeout(m_pDeviceContext, pQuery, &queryData, sizeof(queryData), 0);
}
}
break;
case 0:
case 3:
for (UINT u = 0; u < m_vertices_count; u += 3)
{
m_pDeviceContext->Draw(3, u);
}
break;
}
loopcount++;
m_pDeviceContext->Flush();
QueryPerformanceCounter(&QPC_Now);
} while ((!validate) && ((QPC_Now.QuadPart - QPC_Init.QuadPart) < QPC_Max.QuadPart));
if (!validate)
{
Elapsed.QuadPart = (QPC_Now.QuadPart - QPC_Init.QuadPart) / QPF.QuadPart;
INT64 rate = ((INT64)loopcount * m_vertices_count) / Elapsed.QuadPart;
fprintf(fp, _T("%s%lld"), comma, rate);
comma = _T(",");
}
if (FAILED(hr = ExecuteEffectiveContext()))
{
LogError(__FILEW__, __LINE__, L"ExecuteEffectiveContext() failed",
hr, ERRORCODE_TYPE_HRESULT, WindowsTest::Graphics::Direct3D::gFCDeviceContextExecute);
return RESULT_FAIL;
}
switch (pass)
{
case 3:
tr = StopETWTracing();
if (tr != RESULT_PASS)
{
return tr;
}
SaveViewToBmp(m_pDeviceContext, m_pStagingTex, m_pRTTex, "mesh.bmp");
//
// validation
//
if (validate)
{
tr = ValidateFrequency();
if (tr != RESULT_PASS)
{
return tr;
}
}
break;
}
} // end of loop
if (!validate)
{
fprintf(fp, _T("\n"));
fclose(fp);
}
return RESULT_PASS;
}
TEST_RESULT CFrequencyTest_Draw::ValidateFrequency()
{
TEST_RESULT tr = CFrequencyTest::ValidateFrequency();
//
// Verify Precision. All the draws should take within 80ns of each other.
//
vector<CEvent_HistoryBuffer*> historyBufferList;
vector<UINT64> timestamps;
vector<UINT64> ElapsedTime;
tr = FilterHistoryBufferEvents(&historyBufferList);
if (tr != RESULT_PASS)
{
return tr;
}
tr = CorrelateTimestamps(&historyBufferList, ×tamps, nullptr, &ElapsedTime);
if (tr != RESULT_PASS)
{
return tr;
}
return RESULT_PASS;
//
// Disabled, because does not work, and won't measure what we want.
//
#if 0
UINT64 Mean = 0;
for (auto it = ElapsedTime.begin(); it != ElapsedTime.end(); ++it)
{
Mean += *it;
}// InstancedWarp.cpp : Defines the entry point for the application.
//
Mean /= ElapsedTime.size();
INT64 MaxClockError = (8 * CalculatedGpuFrequency) / 100000000; //number of clocks in 80ns
for (auto it = ElapsedTime.begin(); it != ElapsedTime.end(); ++it)
{
INT64 diff = Mean - *it;
if (diff < 0)
{
diff = -diff;
}
if (diff>MaxClockError)
{
WriteToLog(_T("Draw time delta exceeds 80ns.\n"));
}
}
#endif
}
| [
"benjamin.barratt@icloud.com"
] | benjamin.barratt@icloud.com |
6ab6653b297fd3b9ef71f31265f1f86c964bed31 | bf2dfa126e152f72df042a1123965d32d03eceec | /1DAE10_03_Brenainn_Vanhaverbeke/Variables3Basics/Variables3Basics.cpp | 15bc2cbd57d64fc7f9a3d7d7beec741091d36865 | [] | no_license | VosjeFigter/1DAE10_Brenainn_Vanhaverbeke | d8c163cadf82f07a291c65f78398349e607a6cdb | d1740312098f5681868b36a5112e558e541da385 | refs/heads/main | 2023-08-22T01:27:35.298348 | 2021-10-20T13:40:15 | 2021-10-20T13:40:15 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,362 | cpp | // Vanhaverbeke, Brenainn - 1DAE10
#include "pch.h"
#include <iostream>
int main()
{
int decimal = 12;
int hexadecimal = 0xC;
int binary = 0b1100;
std::cout << decimal << ", " << hexadecimal << ", " << binary << "\n";
int negativeIntOverflow = INT32_MIN - 1;
int positiveIntOverflow = INT32_MAX + 1;
unsigned int negativeUintOverflow = 0 - 1;
unsigned int positiveUintOverflow = UINT32_MAX + 1;
std::cout << negativeIntOverflow << "\n";
std::cout << positiveIntOverflow << "\n";
std::cout << negativeUintOverflow << "\n";
std::cout << positiveUintOverflow << "\n";
int a = 0b0011;
int b = 0b0101;
int c = a | b;
std::cout << a << " | " << b << " = " << c << "\n";
int checkBits;
std::cin >> checkBits;
std::cout << "1st bit: " << (checkBits & (1LL << 0)) << "\n";
std::cout << " 2d bit: " << (checkBits & (1LL << 1)) << "\n";
std::cout << " 3d bit: " << (checkBits & (1LL << 2)) << "\n";
std::cout << "4th bit: " << (checkBits & (1LL << 3)) << "\n";
int assignBit;
std::cout << "Number to set 3rd bit in? ";
std::cin >> assignBit;
std::cout << "This number with 3d bit set " << (assignBit | (1LL << 2)) << "\n";
unsigned int toShift = 2048;
std::cout << (toShift >> 1) << "\n";
std::cout << (toShift << 1) << "\n";
unsigned int toShift = 0;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 2;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
toShift = toShift << 1;
toShift = toShift | 1LL << 0;
std::cout << toShift << "\n";
} | [
"brenainnvanhaverbeke@gmail.com"
] | brenainnvanhaverbeke@gmail.com |
7c5daa78ae961c18ce2f17235f9a850dac08658a | 72c91e45e16babf0d0b4e1a0bf47511463aecc31 | /base_algri/链式A+B/c.cpp | 0056aeaedc85703030772ea06eed3a9bd7caa80d | [] | no_license | darr/base_algri | 16616ff538a2940d81bab188513a9020e8bbdaf8 | 28d24fa9a159845ec4e5243aa18116d416610b30 | refs/heads/master | 2020-03-25T04:18:12.346619 | 2018-09-13T11:30:19 | 2018-09-13T11:30:19 | 143,387,665 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,102 | cpp | /////////////////////////////////////
// File name : c.cpp
// Create date : 2018-07-23 08:53
// Modified date : 2018-07-23 10:00
// Author : DARREN
// Describe : not set
// Email : lzygzh@126.com
////////////////////////////////////
/*
* struct ListNode {
* int val;
* struct ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };*/
class Plus {
public:
// run: 3ms memory:456k
ListNode* plusAB(ListNode* a, ListNode* b) {
ListNode* ret = new ListNode(0);
ListNode* p = ret;
int j=0;
while(NULL!=a || NULL!=b || j!=0){
ListNode* s = new ListNode(0);
s->val += j;
if (NULL!=a) s->val += a->val;
if (NULL!=a) a = a->next;
if (NULL!=b) s->val += b->val;
if (NULL!=b) b = b->next;
if (s->val >= 10) j=1; else j = 0;
if (s->val >=10) s->val -= 10;
p = p->next = s;
}
ListNode* r = ret->next;
free(ret);
return r;
}
// run:2ms memory:476k
ListNode* plusAB2(ListNode* a, ListNode* b) {
ListNode* ret = new ListNode(0);
ListNode* p = ret;
int j=0;
while(NULL!=a || NULL!=b || j!=0){
ListNode* s = new ListNode(0);
s->val += j;
if (NULL!=a) {
s->val += a->val;
a = a->next;
}
if (NULL!=b) {
s->val += b->val;
b = b->next;
}
if (s->val >= 10) {
j=1;
s->val -= 10;
}else{
j=0;
}
p->next = s;
p = p->next;
}
ListNode* r = ret->next;
free(ret);
return r;
}
// run:4 memory:608k
ListNode* plusAB3(ListNode* a, ListNode* b) {
ListNode* ret = new ListNode(0);
ListNode* p = ret;
int j=0;
while(NULL!=a && NULL!=b){
ListNode* s = new ListNode(0);
s->val = a->val + b->val + j;
if (s->val >= 10){
j = 1;
s->val -= 10;
}else
j = 0;
p->next = s;
p = p->next;
a = a->next;
b = b->next;
}
while(NULL!=a){
ListNode* s = new ListNode(0);
s->val = a->val + j;
if (s->val >= 10){
j = 1;
s->val -= 10;
}else
j = 0;
p->next = s;
p = p->next;
a = a->next;
}
while(NULL!=b){
ListNode* s = new ListNode(0);
s->val = b->val + j;
if (s->val >= 10){
j = 1;
s->val -= 10;
}else
j = 0;
p->next = s;
p = p->next;
b = b->next;
}
if (1 == j){
ListNode* s = new ListNode(1);
p->next = s;
}
ListNode* r = ret->next;
free(ret);
return r;
}
};
| [
"lzygzh@126.com"
] | lzygzh@126.com |
0cb1d049d12c40b2ccdfe124e06b0d50ddd68b80 | 1344d67cec4bcce39845b70b4d0fd1f85ab29bfd | /solutions/1501.cpp | 1b9bae287f2f6b18312d9bcd8d000141e99e1d93 | [] | no_license | luoshaochuan/hihocoder | 3953d63819547b9a6cac00615fc25e3a24ff21e7 | ac6d3d639e43db6d47effc9e5c4852e9c3c25269 | refs/heads/master | 2021-04-27T00:16:52.231013 | 2018-03-04T03:36:25 | 2018-03-04T03:36:25 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 502 | cpp | #include <iostream>
using namespace std;
string convert(string s){
string ss = "";
for(int i=0;i<s.size();i++){
if(s[i] == '_' && i + 1 < s.size()) ss += toupper(s[i+1]), i++;
else if(s[i] >= 'A' && s[i] <= 'Z') ss += '_', ss += tolower(s[i]);
else ss += s[i];
}
return ss;
}
int main(){
//freopen("../input.txt","r",stdin);
int n;
cin>>n;
string s;
for(int i=0;i<n;i++){
cin>>s;
cout<<convert(s)<<endl;
}
return 0;
}
| [
"fuliucansheng@gmail.com"
] | fuliucansheng@gmail.com |
81ddaf07042e18d4dcfa1bb0878ee659c9a2bf8e | 5560300c1ecd5da373bcb07294a730753d9491f9 | /chapter06/main.cpp | e61e43c93369bf5d12ecf64e13d071bd115f36cd | [] | no_license | dangets/glslcookbook | 1a3bc366dd2a1f436a12cb13106960cbc527167d | 9d7af5ae2f02f101952f7b56bef1cf41c66a90e6 | refs/heads/edition2 | 2020-12-30T19:11:05.719087 | 2013-11-01T05:48:09 | 2013-11-01T05:48:09 | 4,663,687 | 0 | 1 | null | 2013-10-27T00:15:50 | 2012-06-14T13:38:38 | C++ | UTF-8 | C++ | false | false | 3,279 | cpp | #include "cookbookogl.h"
#include <GLFW/glfw3.h>
#include "glutils.h"
#include "scenebezcurve.h"
#include "scenepointsprite.h"
#include "scenequadtess.h"
#include "sceneshadewire.h"
#include "scenesilhouette.h"
#include "scenetessteapot.h"
#include "scenetessteapotdepth.h"
#define WIN_WIDTH 800
#define WIN_HEIGHT 600
Scene *scene;
GLFWwindow *window;
string parseCLArgs(int argc, char ** argv);
void printHelpInfo(const char *);
void initializeGL() {
glClearColor(0.5f,0.5f,0.5f,1.0f);
scene->initScene();
}
void mainLoop() {
while( ! glfwWindowShouldClose(window) && !glfwGetKey(window, GLFW_KEY_ESCAPE) ) {
GLUtils::checkForOpenGLError(__FILE__,__LINE__);
scene->update(glfwGetTime());
scene->render();
glfwSwapBuffers(window);
glfwPollEvents();
}
}
void resizeGL(int w, int h ) {
scene->resize(w,h);
}
int main(int argc, char *argv[])
{
string recipe = parseCLArgs(argc, argv);
// Initialize GLFW
if( !glfwInit() ) exit( EXIT_FAILURE );
// Select OpenGL 4.3 with a forward compatible core profile.
glfwWindowHint( GLFW_CONTEXT_VERSION_MAJOR, 4 );
glfwWindowHint( GLFW_CONTEXT_VERSION_MINOR, 3 );
glfwWindowHint(GLFW_OPENGL_FORWARD_COMPAT, GL_TRUE);
glfwWindowHint(GLFW_OPENGL_PROFILE, GLFW_OPENGL_CORE_PROFILE);
glfwWindowHint(GLFW_RESIZABLE, GL_FALSE);
// Open the window
string title = "Chapter 6 -- " + recipe;
window = glfwCreateWindow(WIN_WIDTH, WIN_HEIGHT, title.c_str(), NULL, NULL );
if( !window ) {
glfwTerminate();
exit( EXIT_FAILURE );
}
glfwMakeContextCurrent(window);
// Load the OpenGL functions.
if( ogl_LoadFunctions() == ogl_LOAD_FAILED ) {
glfwTerminate();
exit(EXIT_FAILURE);
}
GLUtils::dumpGLInfo();
// Initialization
initializeGL();
resizeGL(WIN_WIDTH,WIN_HEIGHT);
// Enter the main loop
mainLoop();
// Close window and terminate GLFW
glfwTerminate();
// Exit program
exit( EXIT_SUCCESS );
}
string parseCLArgs(int argc, char ** argv) {
if( argc < 2 ) {
printHelpInfo(argv[0]);
exit(EXIT_FAILURE);
}
string recipe = argv[1];
if( recipe == "bez-curve" ) {
scene = new SceneBezCurve();
} else if( recipe == "point-sprite") {
scene = new ScenePointSprite();
} else if( recipe == "quad-tess") {
scene = new SceneQuadTess();
} else if( recipe == "shade-wire" ) {
scene = new SceneShadeWire();
} else if( recipe == "silhouette") {
scene = new SceneSilhouette();
} else if( recipe == "tess-teapot" ) {
scene = new SceneTessTeapot();
} else if( recipe == "tess-teapot-depth" ) {
scene = new SceneTessTeapotDepth();
} else {
printf("Unknown recipe: %s\n", recipe.c_str());
printHelpInfo(argv[0]);
exit(EXIT_FAILURE);
}
return recipe;
}
void printHelpInfo(const char * exeFile) {
printf("Usage: %s recipe-name\n\n", exeFile);
printf("Recipe names: \n");
printf(" bez-curve : description...\n");
printf(" point-sprite : description...\n");
printf(" quad-tess : description...\n");
printf(" shade-wire : description...\n");
printf(" silhouette : description...\n");
printf(" tess-teapot : description...\n");
printf(" tess-teapot-depth : description...\n");
}
| [
"davidwolff@siggraph.org"
] | davidwolff@siggraph.org |
8d4ae28f7fbec5ff2d21a7831de0d620d5cfd826 | 33c053ddea13a71a0c0ce1780df22648ed975e60 | /dfs_simple_dfs.cpp | cbdd16076c0c5d16f0951fc222d57006de2358eb | [] | no_license | chiha8888/Code | 3c76ee6fe63187edb00147cf5dd0ed0583848451 | ae4df9feb86a4f0b130500eb7c6c631ba8657782 | refs/heads/master | 2022-09-17T02:07:13.322590 | 2020-06-05T15:40:24 | 2020-06-05T15:40:24 | 269,687,390 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 580 | cpp | #include<iostream>
#include<cstdlib>
#include<algorithm>
using namespace std;
char A[25][25];
int dx[4]={0,0,-1,1};
int dy[4]={1,-1,0,0};
int W,H;
int ans;
void dfs(int x,int y){
A[x][y]='@';
ans++;
for(int i=0;i<4;i++){
int nx=x+dx[i],ny=y+dy[i];
if(nx>=0&&nx<H&&ny>=0&&ny<W&&A[nx][ny]=='.'){
dfs(nx,ny);
}
}
}
int main(){
while(cin>>W>>H){
if(W==0&&H==0)
break;
int sx,sy;
for(int i=0;i<H;i++){
for(int j=0;j<W;j++){
cin>>A[i][j];
if(A[i][j]=='@'){
sx=i; sy=j;
}
}
}
ans=0;
dfs(sx,sy);
cout<<ans<<endl;
}
return 0;
}
| [
"chiha8888@gmail.com"
] | chiha8888@gmail.com |
6b9f0bd96f54491bee42f3de27d8f46d9109712f | 4167a0cab5dfc3112ceeb9647b6dca0d2311edea | /WICWIU_src/Module/Decoder.hpp | 6bd2449f2d837107151b45e14327029356093b5e | [
"Apache-2.0"
] | permissive | joyfulbean/WICWIU | 28b7d5b1651daaa743bbaed223df37a15795162a | 09945af0c1b10a12ad888f34b6bf460ed478c1bc | refs/heads/master | 2023-05-07T13:47:38.755013 | 2021-06-01T05:27:00 | 2021-06-01T05:27:00 | 374,016,800 | 3 | 0 | Apache-2.0 | 2021-06-05T04:07:48 | 2021-06-05T04:07:47 | null | UTF-8 | C++ | false | false | 5,553 | hpp | #ifndef __DECODER__
#define __DECODER__ value
#include "../Module.hpp"
template<typename DTYPE> class Decoder : public Module<DTYPE>{
private:
int timesize;
Operator<DTYPE> *m_initHiddenTensorholder;
Operator<DTYPE> *m_EncoderLengths;
int m_isTeacherForcing;
public:
Decoder(Operator<DTYPE> *pInput, Operator<DTYPE> *pEncoder, int vocabLength, int embeddingDim, int hiddenSize, int outputSize, int m_isTeacherForcing = TRUE, Operator<DTYPE> *pEncoderLengths = NULL, int useBias = TRUE, std::string pName = "No Name") : Module<DTYPE>(pName) {
Alloc(pInput, pEncoder, vocabLength, embeddingDim, hiddenSize, outputSize, m_isTeacherForcing, pEncoderLengths, useBias, pName);
}
virtual ~Decoder() {}
int Alloc(Operator<DTYPE> *pInput, Operator<DTYPE> *pEncoder, int vocabLength, int embeddingDim, int hiddenSize, int outputSize, int teacherForcing, Operator<DTYPE> *pEncoderLengths, int useBias, std::string pName) {
this->SetInput(2, pInput, pEncoder);
timesize = pInput->GetResult()->GetTimeSize();
int batchsize = pInput->GetResult()->GetBatchSize();
m_initHiddenTensorholder = new Tensorholder<DTYPE>(Tensor<DTYPE>::Zeros(1, batchsize, 1, 1, hiddenSize), "tempHidden");
m_EncoderLengths = pEncoderLengths;
m_isTeacherForcing = teacherForcing;
Operator<DTYPE> *out = pInput;
out = new EmbeddingLayer<DTYPE>(out, vocabLength, embeddingDim, "Embedding");
// out = new RecurrentLayer<DTYPE>(out, embeddingDim, hiddenSize, m_initHiddenTensorholder, useBias, "Recur_1");
out = new LSTMLayer<DTYPE>(out, embeddingDim, hiddenSize, m_initHiddenTensorholder, useBias, "Recur_1");
// out = new GRULayer<DTYPE>(out, embeddingDim, hiddenSize, m_initHiddenTensorholder, useBias, "Recur_1");
out = new Linear<DTYPE>(out, hiddenSize, outputSize, useBias, "Fully-Connected-H2O");
this->AnalyzeGraph(out);
return TRUE;
}
int ForwardPropagate(int pTime=0) {
if(pTime == 0){
Tensor<DTYPE> *_initHidden = this->GetInput()[1]->GetResult();
Tensor<DTYPE> *initHidden = m_initHiddenTensorholder->GetResult();
Shape *_initShape = _initHidden->GetShape();
Shape *initShape = initHidden->GetShape();
int enTimesize = _initHidden->GetTimeSize();
int batchsize = _initHidden->GetBatchSize();
int colSize = _initHidden->GetColSize();
if( m_EncoderLengths != NULL){
Tensor<DTYPE> *encoderLengths = m_EncoderLengths->GetResult();
for(int ba=0; ba<batchsize; ba++){
for(int co=0; co<colSize; co++){
(*initHidden)[Index5D(initShape, 0, ba, 0, 0, co)] = (*_initHidden)[Index5D(_initShape, (*encoderLengths)[ba]-1, ba, 0, 0, co)];
}
}
}else{
for(int ba=0; ba<batchsize; ba++){
for(int co=0; co<colSize; co++){
(*initHidden)[Index5D(initShape, 0, ba, 0, 0, co)] = (*_initHidden)[Index5D(_initShape, enTimesize-1, ba, 0, 0, co)];
}
}
}
}
int numOfExcutableOperator = this->GetNumOfExcutableOperator();
Container<Operator<DTYPE> *> *ExcutableOperator = this->GetExcutableOperatorContainer();
for (int i = 0; i < numOfExcutableOperator; i++)
(*ExcutableOperator)[i]->ForwardPropagate(pTime);
return TRUE;
}
int BackPropagate(int pTime=0) {
int numOfExcutableOperator = this->GetNumOfExcutableOperator();
Container<Operator<DTYPE> *> *ExcutableOperator = this->GetExcutableOperatorContainer();
for (int i = numOfExcutableOperator - 1; i >= 0; i--) {
(*ExcutableOperator)[i]->BackPropagate(pTime);
}
if(pTime == 0){
Tensor<DTYPE> *enGradient = this->GetInput()[1]->GetGradient();
Tensor<DTYPE> *_enGradient = m_initHiddenTensorholder->GetGradient();
Shape *enShape = enGradient->GetShape();
Shape *_enShape = _enGradient->GetShape();
int enTimesize = enGradient->GetTimeSize();
int batchSize = enGradient->GetBatchSize();
int colSize = enGradient->GetColSize();
if( m_EncoderLengths != NULL){
Tensor<DTYPE> *encoderLengths = m_EncoderLengths->GetResult();
for(int ba=0; ba < batchSize; ba++){
for(int co=0; co < colSize; co++){
(*enGradient)[Index5D(enShape, (*encoderLengths)[ba]-1, ba, 0, 0, co)] = (*_enGradient)[Index5D(_enShape, 0, ba, 0, 0, co)];
}
}
}
else{
for(int ba=0; ba < batchSize; ba++){
for(int co=0; co < colSize; co++){
(*enGradient)[Index5D(enShape, enTimesize-1, ba, 0, 0, co)] = (*_enGradient)[Index5D(_enShape, 0, ba, 0, 0, co)];
}
}
}
}
return TRUE;
}
#ifdef __CUDNN__
int ForwardPropagateOnGPU(int pTime = 0);
int BackPropagateOnGPU(int pTime = 0);
#endif // CUDNN
};
#endif // __DECODER__
| [
"21500412@handong.edu"
] | 21500412@handong.edu |
28ef0dc2465f06a29fbaaebdcdd71ee6bed41f75 | 564c21649799b8b59f47d6282865f0cf745b1f87 | /device/usb/usb_service_impl.h | e5467fb0b0c4ea99fcc2fd7b575484dba08da4fa | [
"Apache-2.0",
"BSD-3-Clause"
] | permissive | pablosalazar7/WebARonARCore | e41f6277dd321c60084abad635819e0f70f2e9ff | 43c5db480e89b59e4ae6349e36d8f375ee12cc0d | refs/heads/webarcore_57.0.2987.5 | 2023-02-23T04:58:12.756320 | 2018-01-17T17:40:20 | 2018-01-24T04:14:02 | 454,492,900 | 1 | 0 | NOASSERTION | 2022-02-01T17:56:03 | 2022-02-01T17:56:02 | null | UTF-8 | C++ | false | false | 4,256 | h | // Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "device/usb/usb_service.h"
#include <stddef.h>
#include <map>
#include <queue>
#include <set>
#include "base/macros.h"
#include "base/memory/weak_ptr.h"
#include "build/build_config.h"
#include "device/usb/usb_context.h"
#include "device/usb/usb_device_impl.h"
#include "third_party/libusb/src/libusb/libusb.h"
#if defined(OS_WIN)
#include "base/scoped_observer.h"
#include "device/base/device_monitor_win.h"
#endif // OS_WIN
struct libusb_device;
struct libusb_context;
namespace base {
class SequencedTaskRunner;
}
namespace device {
typedef struct libusb_device* PlatformUsbDevice;
typedef struct libusb_context* PlatformUsbContext;
class UsbServiceImpl :
#if defined(OS_WIN)
public DeviceMonitorWin::Observer,
#endif // OS_WIN
public UsbService {
public:
explicit UsbServiceImpl(
scoped_refptr<base::SequencedTaskRunner> blocking_task_runner);
~UsbServiceImpl() override;
private:
// device::UsbService implementation
void GetDevices(const GetDevicesCallback& callback) override;
#if defined(OS_WIN)
// device::DeviceMonitorWin::Observer implementation
void OnDeviceAdded(const GUID& class_guid,
const std::string& device_path) override;
void OnDeviceRemoved(const GUID& class_guid,
const std::string& device_path) override;
#endif // OS_WIN
void OnUsbContext(scoped_refptr<UsbContext> context);
// Enumerate USB devices from OS and update devices_ map.
void RefreshDevices();
void OnDeviceList(libusb_device** platform_devices, size_t device_count);
void RefreshDevicesComplete();
// Creates a new UsbDevice based on the given libusb device.
void EnumerateDevice(PlatformUsbDevice platform_device,
const base::Closure& refresh_complete);
void AddDevice(const base::Closure& refresh_complete,
scoped_refptr<UsbDeviceImpl> device);
void RemoveDevice(scoped_refptr<UsbDeviceImpl> device);
// Handle hotplug events from libusb.
static int LIBUSB_CALL HotplugCallback(libusb_context* context,
PlatformUsbDevice device,
libusb_hotplug_event event,
void* user_data);
// These functions release a reference to the provided platform device.
void OnPlatformDeviceAdded(PlatformUsbDevice platform_device);
void OnPlatformDeviceRemoved(PlatformUsbDevice platform_device);
// Add |platform_device| to the |ignored_devices_| and
// run |refresh_complete|.
void EnumerationFailed(PlatformUsbDevice platform_device,
const base::Closure& refresh_complete);
scoped_refptr<UsbContext> context_;
bool usb_unavailable_ = false;
// When available the device list will be updated when new devices are
// connected instead of only when a full enumeration is requested.
// TODO(reillyg): Support this on all platforms. crbug.com/411715
bool hotplug_enabled_ = false;
libusb_hotplug_callback_handle hotplug_handle_;
// Enumeration callbacks are queued until an enumeration completes.
bool enumeration_ready_ = false;
bool enumeration_in_progress_ = false;
std::queue<std::string> pending_path_enumerations_;
std::vector<GetDevicesCallback> pending_enumeration_callbacks_;
// The map from PlatformUsbDevices to UsbDevices.
typedef std::map<PlatformUsbDevice, scoped_refptr<UsbDeviceImpl>>
PlatformDeviceMap;
PlatformDeviceMap platform_devices_;
// The set of devices that only need to be enumerated once and then can be
// ignored (for example, hub devices, devices that failed enumeration, etc.).
std::set<PlatformUsbDevice> ignored_devices_;
// Tracks PlatformUsbDevices that might be removed while they are being
// enumerated.
std::set<PlatformUsbDevice> devices_being_enumerated_;
#if defined(OS_WIN)
ScopedObserver<DeviceMonitorWin, DeviceMonitorWin::Observer> device_observer_;
#endif // OS_WIN
base::WeakPtrFactory<UsbServiceImpl> weak_factory_;
DISALLOW_COPY_AND_ASSIGN(UsbServiceImpl);
};
} // namespace device
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
9cedc74a5c59cf4ab56526d33b6cac6f9c45d1c4 | 243feab8a19ef992a138d05680b8c1710f0418d5 | /src/histogram.hpp | f0e9b8a8722c0cb56044c3b68dca6a3d6ad5b74d | [
"MIT"
] | permissive | raymondngiam/bovw-place-recognition | 17125c1557ea183ee28a560917104dc7c3f620c4 | 6abe90aed30ef836599c090c56c112ff015ba805 | refs/heads/master | 2023-04-28T16:06:11.019458 | 2021-05-14T14:06:57 | 2021-05-14T14:06:57 | 364,608,578 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,130 | hpp | #pragma once
#include <vector>
#include <iostream>
#include <sstream>
#include <fstream>
#include <string>
#include <regex>
#include <opencv2/core/mat.hpp>
#include "bow_dictionary.hpp"
#include <opencv2/flann.hpp>
namespace ipb{
class Histogram{
private:
std::vector<int> data_;
public:
Histogram();
Histogram(std::vector<int> data);
Histogram(cv::Mat descriptors, BowDictionary& dictionary);
friend std::ostream& operator<<(std::ostream& os, const Histogram& hist);
int& operator[](int pos);
const int& operator[](int pos) const;
std::vector<int> data();
int size() const;
bool empty() const;
std::vector<int>::iterator begin();
std::vector<int>::iterator end();
std::vector<int>::const_iterator begin() const;
std::vector<int>::const_iterator end() const;
const std::vector<int>::const_iterator cbegin() const;
const std::vector<int>::const_iterator cend() const;
bool WriteToCSV(const std::string& path);
static Histogram ReadFromCSV(const std::string& path);
};
std::ostream& operator<<(std::ostream& os, const Histogram& hist);
}
| [
"ha.ngiam87@gmail.com"
] | ha.ngiam87@gmail.com |
7cf8605b1f4a61e7069ff5600367f8a8269fdc1c | 2cc2affda6d20e2f0f8c99c1cfc8a8ef95d87217 | /STL_builtin/Maps/iterator.cpp | a8b5358e493dc7a4bc7caedab6cba034f595b77e | [] | no_license | CO18344/C-plus-plus | db9e474e9efc3393db96e8fcbe480fe9bbbe3ed9 | 4494b875fce81cb4cd835bc052b0d9498b4d3168 | refs/heads/master | 2023-03-03T01:22:55.752958 | 2021-02-10T13:15:19 | 2021-02-10T13:15:19 | 197,975,972 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 582 | cpp | #include<iostream>
#include<map> //required for using maps
using namespace std;
int main()
{
//declared an empty map
map<int,int> mapObject;
//insertion using insert method of class map
mapObject.insert(pair<int,int>(0,92));
mapObject.insert(pair<int,int>(1,94));
mapObject.insert(pair<int,int>(2,56));
//iterator is used to read access items from map
//iterator is a nested class
map<int,int>::iterator mapIt;
mapIt = mapObject.begin();
while( mapIt != mapObject.end() ){
cout<<mapIt->first<<" -> "<<mapIt->second<<endl; //key -> value
mapIt++;
}
return 0;
} | [
"satviksingh28@gmail.com"
] | satviksingh28@gmail.com |
7ffaff15ca7149f501b1936ad302ea17cb68633a | ad4950addc0438b6d71273c9c6e46d90dc816405 | /src/convert.cpp | e2c38607d01a951c5870ad8cf10a6dc29c1493df | [] | no_license | rvikwd3/Project9 | 905d21a3ff6750fa0c1f860423db25a19613951a | ca2eaabaafe6ba11eeca5dee6f7c8b5efe13b37d | refs/heads/master | 2020-04-02T21:13:49.944428 | 2019-02-05T03:21:47 | 2019-02-05T03:21:47 | 154,791,753 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,830 | cpp | /* Color space conversion utility funcitons
* RGB to HSV
* HSV to RGB
*
* Conversion formulas are given at https://stackoverflow.com/questions/3018313/algorithm-to-convert-rgb-to-hsv-and-hsv-to-rgb-in-range-0-255-for-both
*/
#include "convert.h"
#include <iostream>
namespace Convert {
// --------------------------------------------------------------------------------
// Only accepts values from 0.0 to 1.0
// No parameter input checking!
// TODO: Test input in range 0.0-1.0
hsv rgb2hsv(rgb in) { // {{{
hsv out;
double min, max, delta;
min = in.r < in.g ? in.r : in.g;
min = min < in.b ? min : in.b;
max = in.r > in.g ? in.r : in.g;
max = max > in.b ? max : in.b;
out.v = max;
delta = max - min;
if ( delta < 0.00001 ) { // grayscale rgb color
out.s = 0;
out.h = 0;
return out;
}
if ( max > 0.0 ) {
out.s = ( delta / max );
} else { // rgb is black
out.s = 0.0;
out.h = 0.0;
//std::cerr << "Hue is undefined" << std::endl;
// Was printing too many Hue is undefined
return out;
}
if ( in.r >= max )
out.h = ( in.g - in.b ) / delta; // between yellow & magenta
else if ( in.g >= max )
out.h = 2.0 + ( in.b - in.r ) / delta; // between cyan & yellow
else
out.h = 4.0 + ( in.r - in.g ) / delta; // between magenta & cyan
out.h *= 60; // convert to degrees
if ( out.h < 0.0 )
out.h += 360;
return out;
} // }}}
// --------------------------------------------------------------------------------
// --------------------------------------------------------------------------------
// Only accepts values from 0.0 to 1.0
// No parameter input checking!
// TODO: Test input in range 0.0-1.0
rgb hsv2rgb(hsv in) { // {{{
rgb out;
double hh, p, q, t, ff;
long i;
if ( in.s <= 0.0 ) {
out.r = in.v;
out.g = in.v;
out.b = in.v;
return out;
}
hh = in.h;
if ( hh >= 360.0)
hh = 0.0;
hh /= 60.0;
i = (long) hh;
ff = hh - i;
p = in.v * ( 1.0 - in.s );
q = in.v * ( 1.0 - ( in.s * ff ));
t = in.v * ( 1.0 - ( in.s * ( 1.0 - ff )));
switch (i) {
case 0:
out.r = in.v;
out.g = t;
out.b = p;
break;
case 1:
out.r = q;
out.g = in.v;
out.b = p;
break;
case 2:
out.r = p;
out.g = in.v;
out.b = t;
break;
case 3:
out.r = p;
out.g = q;
out.b = in.v;
break;
case 4:
out.r = t;
out.g = p;
out.b = in.v;
break;
case 5:
default:
out.r = in.v;
out.g = p;
out.b = q;
break;
}
return out;
} // }}]
}
| [
"rvikwd3@outlook.com"
] | rvikwd3@outlook.com |
0e472e2cffa3aec9915da74f1aff175e13ee5209 | 4d8270c15b77fa769b4b99a27a1f159582149427 | /frontend/signalHandle.cpp | 5a9be9c1e005b259d30cc0268f9729aade57c5cf | [] | no_license | xianruimeng/libPSI | 9cb80043c125147ccf1ae15e6177f1d662539614 | 6da953b2fce4d8b6ba81369daed744d7e0272278 | refs/heads/master | 2021-03-27T15:59:44.940547 | 2017-11-07T20:18:58 | 2017-11-07T20:18:58 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,413 | cpp |
#ifndef _MSC_VER
#include <stdio.h>
#include <signal.h>
#include <stdio.h>
#include <signal.h>
#include <sys/types.h>
#include <unistd.h>
#include <execinfo.h>
#include <cstdlib>
char* exe = 0;
int initialiseExecutableName()
{
char link[1024];
exe = new char[1024];
snprintf(link, sizeof link, "/proc/%d/exe", getpid());
if (readlink(link, exe, sizeof link) == -1) {
fprintf(stderr, "ERRORRRRR\n");
exit(1);
}
printf("Executable name initialised: %s\n", exe);
}
const char* getExecutableName()
{
if (exe == 0)
initialiseExecutableName();
return exe;
}
/* get REG_EIP from ucontext.h */
#define __USE_GNU
#include <ucontext.h>
#ifdef __x86_64__
#define REG_EIP REG_RIP
#endif
void bt_sighandler(int sig, siginfo_t *info,
void *secret) {
void *trace[16];
char **messages = (char **)NULL;
int i, trace_size = 0;
ucontext_t *uc = (ucontext_t *)secret;
/* Do something useful with siginfo_t */
if (sig == SIGSEGV)
printf("Got signal %d, faulty address is %p, "
"from %p\n", sig, info->si_addr,
uc->uc_mcontext.gregs[REG_EIP]);
else
printf("Got signal %d#92;\n", sig);
trace_size = backtrace(trace, 16);
/* overwrite sigaction with caller's address */
trace[1] = (void *)uc->uc_mcontext.gregs[REG_EIP];
messages = backtrace_symbols(trace, trace_size);
/* skip first stack frame (points here) */
printf("[bt] Execution path:#92;\n");
for (i = 1; i<trace_size; ++i)
{
printf("[bt] %s#92;\n", messages[i]);
/* find first occurence of '(' or ' ' in message[i] and assume
* everything before that is the file name. (Don't go beyond 0 though
* (string terminator)*/
size_t p = 0;
while (messages[i][p] != '(' && messages[i][p] != ' '
&& messages[i][p] != 0)
++p;
char syscom[256];
sprintf(syscom, "addr2line %p -e %.*s", trace[i], p, messages[i]);
//last parameter is the filename of the symbol
system(syscom);
}
exit(1);
}
void backtraceHook()
{
struct sigaction sa;
sa.sa_sigaction = (void(*)(int, siginfo_t*, void*))bt_sighandler;
sigemptyset(&sa.sa_mask);
sa.sa_flags = SA_RESTART | SA_SIGINFO;
sigaction(SIGSEGV, &sa, NULL);
sigaction(SIGUSR1, &sa, NULL);
}
#else
void backtraceHook()
{
}
#endif
| [
"rindalp@oregonstate.edu"
] | rindalp@oregonstate.edu |
f617bc72df05bcd7da0da536feb1c690e4c1bcdb | a7764174fb0351ea666faa9f3b5dfe304390a011 | /inc/StepFEA_Array1OfCurveElementInterval.hxx | 1d2996f771cf392ac5ddba7cc8e24495fd4aeec5 | [] | no_license | uel-dataexchange/Opencascade_uel | f7123943e9d8124f4fa67579e3cd3f85cfe52d91 | 06ec93d238d3e3ea2881ff44ba8c21cf870435cd | refs/heads/master | 2022-11-16T07:40:30.837854 | 2020-07-08T01:56:37 | 2020-07-08T01:56:37 | 276,290,778 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,659 | hxx | // This file is generated by WOK (CPPExt).
// Please do not edit this file; modify original file instead.
// The copyright and license terms as defined for the original file apply to
// this header file considered to be the "object code" form of the original source.
#ifndef _StepFEA_Array1OfCurveElementInterval_HeaderFile
#define _StepFEA_Array1OfCurveElementInterval_HeaderFile
#ifndef _Standard_HeaderFile
#include <Standard.hxx>
#endif
#ifndef _Standard_Macro_HeaderFile
#include <Standard_Macro.hxx>
#endif
#ifndef _Standard_Integer_HeaderFile
#include <Standard_Integer.hxx>
#endif
#ifndef _Standard_Address_HeaderFile
#include <Standard_Address.hxx>
#endif
#ifndef _Standard_Boolean_HeaderFile
#include <Standard_Boolean.hxx>
#endif
#ifndef _Handle_StepFEA_CurveElementInterval_HeaderFile
#include <Handle_StepFEA_CurveElementInterval.hxx>
#endif
class Standard_RangeError;
class Standard_DimensionMismatch;
class Standard_OutOfRange;
class Standard_OutOfMemory;
class StepFEA_CurveElementInterval;
class StepFEA_Array1OfCurveElementInterval {
public:
void* operator new(size_t,void* anAddress)
{
return anAddress;
}
void* operator new(size_t size)
{
return Standard::Allocate(size);
}
void operator delete(void *anAddress)
{
if (anAddress) Standard::Free((Standard_Address&)anAddress);
}
Standard_EXPORT StepFEA_Array1OfCurveElementInterval(const Standard_Integer Low,const Standard_Integer Up);
Standard_EXPORT StepFEA_Array1OfCurveElementInterval(const Handle(StepFEA_CurveElementInterval)& Item,const Standard_Integer Low,const Standard_Integer Up);
Standard_EXPORT void Init(const Handle(StepFEA_CurveElementInterval)& V) ;
Standard_EXPORT void Destroy() ;
~StepFEA_Array1OfCurveElementInterval()
{
Destroy();
}
Standard_Boolean IsAllocated() const;
Standard_EXPORT const StepFEA_Array1OfCurveElementInterval& Assign(const StepFEA_Array1OfCurveElementInterval& Other) ;
const StepFEA_Array1OfCurveElementInterval& operator =(const StepFEA_Array1OfCurveElementInterval& Other)
{
return Assign(Other);
}
Standard_Integer Length() const;
Standard_Integer Lower() const;
Standard_Integer Upper() const;
void SetValue(const Standard_Integer Index,const Handle(StepFEA_CurveElementInterval)& Value) ;
const Handle_StepFEA_CurveElementInterval& Value(const Standard_Integer Index) const;
const Handle_StepFEA_CurveElementInterval& operator ()(const Standard_Integer Index) const
{
return Value(Index);
}
Handle_StepFEA_CurveElementInterval& ChangeValue(const Standard_Integer Index) ;
Handle_StepFEA_CurveElementInterval& operator ()(const Standard_Integer Index)
{
return ChangeValue(Index);
}
protected:
private:
Standard_EXPORT StepFEA_Array1OfCurveElementInterval(const StepFEA_Array1OfCurveElementInterval& AnArray);
Standard_Integer myLowerBound;
Standard_Integer myUpperBound;
Standard_Address myStart;
Standard_Boolean isAllocated;
};
#define Array1Item Handle_StepFEA_CurveElementInterval
#define Array1Item_hxx <StepFEA_CurveElementInterval.hxx>
#define TCollection_Array1 StepFEA_Array1OfCurveElementInterval
#define TCollection_Array1_hxx <StepFEA_Array1OfCurveElementInterval.hxx>
#include <TCollection_Array1.lxx>
#undef Array1Item
#undef Array1Item_hxx
#undef TCollection_Array1
#undef TCollection_Array1_hxx
// other Inline functions and methods (like "C++: function call" methods)
#endif
| [
"shoka.sho2@excel.co.jp"
] | shoka.sho2@excel.co.jp |
2123100983b2dfb7dfbdad785d98976822327731 | 4ebca7bab6e3aa1a9d0da68d786b70dec6a397e9 | /Code/cocos2d-2.0-x-2.0.3/ProtectLand/Classes/Resource Management/Level.cpp | 8edf0c0f09c25dc916aa857ee6aa305d1a862742 | [
"MIT"
] | permissive | chiehfc/protect-land | 9cb9f17b9ecd0b2cb8eaaa5d40526489db707d95 | f93bb4b1ab4f71fd919a3605782f074af9a0b791 | refs/heads/master | 2016-09-03T06:46:31.136540 | 2012-12-07T07:36:31 | 2012-12-07T07:36:31 | 40,037,018 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 134 | cpp | #include "Level.h"
#include "GameConfig.h"
USING_NS_CC;
CLevel::CLevel(int level)
{
}
CLevel::~CLevel(void)
{
}
| [
"nhanltv.bd@gmail.com"
] | nhanltv.bd@gmail.com |
5a730b6efed024aece78dfd2505190de5d7a9f9f | f11ed31357628473e0bfb89902bc9c94157c6c59 | /Poker_Card/Poker_Card_3.2/Poker_Card/Poker_Card.cpp | 89fd596130e391c1675122a16cdb91c3e8196c00 | [] | no_license | ChouJustice/WinForm-Project | 06da737d6e31578b257955c3c8917691c1777e6f | e923d7c1a70e3420664574a9bd3bcee074aa7135 | refs/heads/master | 2020-03-15T19:56:18.445743 | 2018-08-20T06:41:49 | 2018-08-20T06:41:49 | 132,320,836 | 0 | 0 | null | null | null | null | BIG5 | C++ | false | false | 412 | cpp | // Poker_Card.cpp: 主要專案檔。
#include "stdafx.h"
#include "Form1.h"
using namespace Poker_Card;
[STAThreadAttribute]
int main(array<System::String ^> ^args)
{
// 建立任何控制項之前,先啟用 Windows XP 視覺化效果
Application::EnableVisualStyles();
Application::SetCompatibleTextRenderingDefault(false);
// 建立主視窗並執行
Application::Run(gcnew Form1());
return 0;
}
| [
"z42442412@gmail.com"
] | z42442412@gmail.com |
4e80dee60d3c5d9519a88e1f2e981c6bbb1850d4 | 1095cfe2e29ddf4e4c5e12d713bd12f45c9b6f7d | /ext/systemc/src/sysc/tracing/sc_vcd_trace.h | 760949ffb3cd3931c7563472c64e116ec168d6fa | [
"Apache-2.0",
"BSD-3-Clause",
"LicenseRef-scancode-proprietary-license",
"LGPL-2.0-or-later",
"MIT"
] | permissive | gem5/gem5 | 9ec715ae036c2e08807b5919f114e1d38d189bce | 48a40cf2f5182a82de360b7efa497d82e06b1631 | refs/heads/stable | 2023-09-03T15:56:25.819189 | 2023-08-31T05:53:03 | 2023-08-31T05:53:03 | 27,425,638 | 1,185 | 1,177 | BSD-3-Clause | 2023-09-14T08:29:31 | 2014-12-02T09:46:00 | C++ | UTF-8 | C++ | false | false | 7,516 | h | /*****************************************************************************
Licensed to Accellera Systems Initiative Inc. (Accellera) under one or
more contributor license agreements. See the NOTICE file distributed
with this work for additional information regarding copyright ownership.
Accellera 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.
*****************************************************************************/
/*****************************************************************************
sc_vcd_trace.h - Implementation of VCD tracing.
Original Author - Abhijit Ghosh, Synopsys, Inc.
*****************************************************************************/
/*****************************************************************************
MODIFICATION LOG - modifiers, enter your name, affiliation, date and
changes you are making here.
Name, Affiliation, Date:
Description of Modification:
*****************************************************************************/
/*****************************************************************************
Acknowledgement: The tracing mechanism is based on the tracing
mechanism developed at Infineon (formerly Siemens HL). Though this
code is somewhat different, and significantly enhanced, the basics
are identical to what was originally contributed by Infineon. The
contribution of Infineon in the development of this tracing
technology is hereby acknowledged.
*****************************************************************************/
#ifndef SC_VCD_TRACE_H
#define SC_VCD_TRACE_H
#include "sysc/tracing/sc_trace_file_base.h"
namespace sc_core {
class vcd_trace; // defined in vcd_trace.cpp
template<class T> class vcd_T_trace;
// ----------------------------------------------------------------------------
// CLASS : vcd_trace_file
//
// ...
// ----------------------------------------------------------------------------
class vcd_trace_file
: public sc_trace_file_base
{
public:
enum vcd_enum {VCD_WIRE=0, VCD_REAL=1, VCD_LAST};
// sc_set_vcd_time_unit is deprecated.
#if 0 // deprecated
inline void sc_set_vcd_time_unit(int exponent10_seconds)
{ set_time_unit(exponent10_seconds); }
#endif
// Create a Vcd trace file.
// `Name' forms the base of the name to which `.vcd' is added.
vcd_trace_file(const char *name);
// Flush results and close file.
~vcd_trace_file();
protected:
// These are all virtual functions in sc_trace_file and
// they need to be defined here.
// Trace a boolean object (single bit)
void trace(const bool& object, const std::string& name);
// Trace a sc_bit object (single bit)
virtual void trace( const sc_dt::sc_bit& object,
const std::string& name);
// Trace a sc_logic object (single bit)
void trace(const sc_dt::sc_logic& object, const std::string& name);
// Trace an unsigned char with the given width
void trace(const unsigned char& object, const std::string& name,
int width);
// Trace an unsigned short with the given width
void trace(const unsigned short& object, const std::string& name,
int width);
// Trace an unsigned int with the given width
void trace(const unsigned int& object, const std::string& name,
int width);
// Trace an unsigned long with the given width
void trace(const unsigned long& object, const std::string& name,
int width);
// Trace a signed char with the given width
void trace(const char& object, const std::string& name, int width);
// Trace a signed short with the given width
void trace(const short& object, const std::string& name, int width);
// Trace a signed int with the given width
void trace(const int& object, const std::string& name, int width);
// Trace a signed long with the given width
void trace(const long& object, const std::string& name, int width);
// Trace an int64 with a given width
void trace(const sc_dt::int64& object, const std::string& name,
int width);
// Trace a uint64 with a given width
void trace(const sc_dt::uint64& object, const std::string& name,
int width);
// Trace a float
void trace(const float& object, const std::string& name);
// Trace a double
void trace(const double& object, const std::string& name);
// Trace sc_dt::sc_uint_base
void trace (const sc_dt::sc_uint_base& object,
const std::string& name);
// Trace sc_dt::sc_int_base
void trace (const sc_dt::sc_int_base& object,
const std::string& name);
// Trace sc_dt::sc_unsigned
void trace (const sc_dt::sc_unsigned& object,
const std::string& name);
// Trace sc_dt::sc_signed
void trace (const sc_dt::sc_signed& object, const std::string& name);
// Trace sc_dt::sc_fxval
void trace( const sc_dt::sc_fxval& object, const std::string& name );
// Trace sc_dt::sc_fxval_fast
void trace( const sc_dt::sc_fxval_fast& object,
const std::string& name );
// Trace sc_dt::sc_fxnum
void trace( const sc_dt::sc_fxnum& object, const std::string& name );
// Trace sc_dt::sc_fxnum_fast
void trace( const sc_dt::sc_fxnum_fast& object,
const std::string& name );
template<class T>
void traceT(const T& object, const std::string& name,
vcd_enum type=VCD_WIRE)
{
if( add_trace_check(name) )
traces.push_back(new vcd_T_trace<T>( object, name
, obtain_name(),type) );
}
// Trace sc_dt::sc_bv_base (sc_dt::sc_bv)
virtual void trace(const sc_dt::sc_bv_base& object,
const std::string& name);
// Trace sc_dt::sc_lv_base (sc_dt::sc_lv)
virtual void trace(const sc_dt::sc_lv_base& object,
const std::string& name);
// Trace an enumerated object - where possible output the enumeration literals
// in the trace file. Enum literals is a null terminated array of null
// terminated char* literal strings.
void trace(const unsigned& object, const std::string& name,
const char** enum_literals);
// Output a comment to the trace file
void write_comment(const std::string& comment);
// Write trace info for cycle.
void cycle(bool delta_cycle);
private:
#if SC_TRACING_PHASE_CALLBACKS_
// avoid hidden overload warnings
virtual void trace( sc_trace_file* ) const { sc_assert(false); }
#endif // SC_TRACING_PHASE_CALLBACKS_
// Initialize the VCD tracing
virtual void do_initialize();
unsigned vcd_name_index; // Number of variables traced
unsigned previous_time_units_low; // Previous time unit as 64-bit integer
unsigned previous_time_units_high;
public:
// Array to store the variables traced
std::vector<vcd_trace*> traces;
// Create VCD names for each variable
std::string obtain_name();
};
} // namespace sc_core
#endif // SC_VCD_TRACE_H
// Taf!
| [
"jungma@eit.uni-kl.de"
] | jungma@eit.uni-kl.de |
7ee1dd6f317afcbe8181ea61387c1cbf49809baf | 31b57390a31da0f617510c84ba562612c38b8715 | /robowflex_dart/scripts/fetch_robowflex_planner.cpp | 56bd4c2d03bc3b0d4148efa4377bc025bb12100b | [
"BSD-3-Clause"
] | permissive | KavrakiLab/robowflex | 524d8293fea60146d22a75fd452efa706b7b38d3 | 77cf34861b05f1acf7dfe007c966ad82d1365480 | refs/heads/master | 2023-08-07T15:50:49.030373 | 2023-05-17T23:16:38 | 2023-05-17T23:16:38 | 136,487,567 | 100 | 22 | NOASSERTION | 2023-05-17T23:16:40 | 2018-06-07T14:16:03 | C++ | UTF-8 | C++ | false | false | 1,826 | cpp | /* Author: Zachary Kingston */
#include <robowflex_library/builder.h>
#include <robowflex_library/detail/fetch.h>
#include <robowflex_library/io/visualization.h>
#include <robowflex_library/log.h>
#include <robowflex_library/planning.h>
#include <robowflex_library/robot.h>
#include <robowflex_library/scene.h>
#include <robowflex_library/util.h>
#include <robowflex_dart/planner.h>
using namespace robowflex;
static const std::string GROUP = "arm_with_torso";
int main(int argc, char **argv)
{
// Startup ROS
ROS ros(argc, argv);
// Create the default Fetch robot.
auto fetch = std::make_shared<FetchRobot>();
fetch->initialize();
// Create an RViz visualization helper
IO::RVIZHelper rviz(fetch);
RBX_INFO("RViz Initialized! Press enter to continue (after your RViz is setup)...");
std::cin.get();
// Create an empty scene.
auto scene = std::make_shared<Scene>(fetch);
// Create the default planner for the Fetch.
auto planner = std::make_shared<darts::DARTPlanner>(fetch);
// Create a motion planning request with a pose goal.
MotionRequestBuilder request(planner, GROUP);
fetch->setGroupState(GROUP, {0.05, 1.32, 1.40, -0.2, 1.72, 0.0, 1.66, 0.0}); // Stow
request.setStartConfiguration(fetch->getScratchState());
fetch->setGroupState(GROUP, {0.265, 0.501, 1.281, -2.272, 2.243, -2.774, 0.976, -2.007}); // Unfurl
request.setGoalConfiguration(fetch->getScratchState());
request.setConfig("rrt::RRTConnect");
// Do motion planning!
planning_interface::MotionPlanResponse res = planner->plan(scene, request.getRequest());
if (res.error_code_.val != moveit_msgs::MoveItErrorCodes::SUCCESS)
return 1;
// Publish the trajectory to a topic to display in RViz
rviz.updateTrajectory(res);
return 0;
}
| [
"noreply@github.com"
] | KavrakiLab.noreply@github.com |
17b9ee6c5a4d50e6e218507445f511236df05947 | 885bd76c457dc253774b0db0a0ccef1f362ea0c8 | /MyFaceRecognition/MyFaceRecognition/CSVCreateDlg.h | 983d716364aa19178c4784aee65d960b0228d3f1 | [] | no_license | ActiveVariable/MyFaceRecognition | 75067e47e615e5c5afc784afe278367192fb513b | f1acb1ac41551aced4b703196cf190feaef44712 | refs/heads/master | 2020-04-16T07:03:39.070763 | 2019-01-12T11:04:23 | 2019-01-12T11:04:23 | 165,372,103 | 1 | 1 | null | null | null | null | GB18030 | C++ | false | false | 435 | h | #pragma once
// CCSVCreateDlg 对话框
class CCSVCreateDlg : public CDialog
{
DECLARE_DYNAMIC(CCSVCreateDlg)
public:
CCSVCreateDlg(CWnd* pParent = NULL); // 标准构造函数
virtual ~CCSVCreateDlg();
// 对话框数据
enum { IDD = IDD_CSVCreate };
protected:
virtual void DoDataExchange(CDataExchange* pDX); // DDX/DDV 支持
DECLARE_MESSAGE_MAP()
public:
afx_msg void OnBnClickedOk();
};
| [
"noreply@github.com"
] | ActiveVariable.noreply@github.com |
ca6e405853ba72e2f4681d747f47da127e9b1dc7 | 1263008492e8a237605e82dfd7d198e454c31f0c | /rpg2kLib/Element.hpp | fa26152ca646f28ed481d436b8037402c359f4f2 | [] | no_license | weimingtom/rpg2kemuSvn | 78df5490a7fde36d44cba3e5948fb74c133a10c2 | 8373acf41bbe13b471efd354de1e9384e21eb062 | refs/heads/master | 2020-12-08T03:11:45.885189 | 2016-08-20T01:01:06 | 2016-08-20T01:01:06 | 66,121,107 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,633 | hpp | #ifndef _INC__RPG2K__MODEL__ELEMENT_HPP
#define _INC__RPG2K__MODEL__ELEMENT_HPP
#include "Descriptor.hpp"
#include "Stream.hpp"
namespace rpg2kLib
{
namespace structure
{
class Element
{
protected:
class InstanceInterface
{
private:
Element& owner_;
Descriptor const* descriptor_;
Binary binData_;
bool exists_;
protected:
Binary& getBinary() { return binData_; }
Element& toElement() { return owner_; }
public:
InstanceInterface(Element& e);
InstanceInterface(Element& e, Binary const& b);
InstanceInterface(Element& e, Descriptor const& info);
InstanceInterface(Element& e, Descriptor const& info, Binary const& b);
InstanceInterface(Element& e, Descriptor const& info, StreamReader& s);
bool isDefined() const { return descriptor_ != NULL; }
virtual ~InstanceInterface() {}
bool exists() const { return exists_; }
void substantiate() { exists_ = true; }
Descriptor const& getDescriptor() const;
virtual uint serializedSize() const { return binData_.size(); }
virtual void serialize(StreamWriter& s) const { s.write(binData_); }
#define PP_castOperator(type) virtual operator type&();
#define PP_castOperatorRef(type) virtual operator type&();
PP_allType(PP_castOperator)
#undef PP_castOperator
#undef PP_castOperatorRef
};
class Factory;
private:
Element* const owner_;
static int const INVALID_INDEX = -1;
int const index1_, index2_;
InstanceInterface& instance_;
protected:
void clear();
public:
Element(Element const& e);
virtual ~Element();
Element(Descriptor const& info);
Element(Descriptor const& info, Binary const& b);
Element(Descriptor const& info, StreamReader& s);
Element(Array1D const& owner, uint index);
Element(Array1D const& owner, uint index , Binary const& b);
Element(Array2D const& owner, uint index1, uint index2);
Element(Array2D const& owner, uint index1, uint index2, Binary const& b);
bool exists() const { return instance_.exists(); }
void substantiate();
bool isDefined() const { return instance_.isDefined(); }
Descriptor const& getDescriptor() const { return instance_.getDescriptor(); }
bool hasOwner() const { return owner_ != NULL; }
Element& getOwner() const;
uint getIndex1() const;
uint getIndex2() const;
/*
* use assignment operator instead of "Element::getXXXX() = YYYY;"
* because it won't call substantiate and will be ignored at Model::save()
*/
#define PP_castOperator(type) \
operator type&() const { return instance_; } \
type& get_##type() const { return instance_; } \
type& operator =(type const& src); \
void set_##type(type const& src) { (*this) = src; }
#define PP_castOperatorRef(type) \
operator type&() const { return instance_; } \
type& get##type() const { return instance_; } \
type& operator =(type const& src); \
void set##type(type const& src) { (*this) = src; }
PP_allType(PP_castOperator)
#undef PP_castOperator
#undef PP_castOperatorRef
operator uint&() const { return reinterpret_cast< uint& >( get_int() ); }
uint& operator =(uint num) { *this = (int)num; return *this; }
uint& get_uint() const { return reinterpret_cast< uint& >( get_int() ); }
template< typename T >
Binary& operator =(std::vector< T > const& src)
{
this->substantiate();
this->getBinary() = src;
return this->getBinary();
}
// only assigns the value in "instance_"
Element& operator =(Element const& src);
uint serializedSize() const { return instance_.serializedSize(); }
Binary serialize() const { return structure::serialize(instance_); }
void serialize(StreamWriter& s) const { instance_.serialize(s); }
}; // class Element
#define PP_operator(retType, op, type) \
inline retType operator op(Element& e, type in) { return static_cast< type >(e) op in; } \
inline retType operator op(type in, Element& e) { return in op static_cast< type >(e); }
PP_operator(bool, ==, RPG2kString const&)
PP_operator(bool, !=, RPG2kString const&)
#undef PP_operator
class BerEnum : public std::vector< uint >
{
private:
Binary binData_;
protected:
void init(StreamReader& s);
public:
BerEnum(Element& e, Descriptor const& info) {}
BerEnum(Element& e, Descriptor const& info, StreamReader& s);
BerEnum(Element& e, Descriptor const& info, Binary const& b);
virtual ~BerEnum() {}
uint serializedSize() const;
void serialize(StreamWriter& s) const;
}; // class BerEnum
} // namespace structure
} // namespace rpg2kLib
#endif
| [
"weimingtom@qq.com"
] | weimingtom@qq.com |
ed10f9dccf7e563451880fb89780dc75d5c32682 | 89f8073f32c5e76c36d7e3072002015a5646119f | /common files/printing bracket in cmp.cpp | 0937ad6ef6bda9574760cbcabf9c9536181f49b8 | [] | no_license | PulockDas/Competitive-Programming-Algorithms | f19b8eab081e73c01b4a8ba8673c9df752ff3646 | 2b3774a34170f10e81ec5b3479f4a49bc138e938 | refs/heads/main | 2023-06-11T20:59:57.458069 | 2021-06-29T19:54:05 | 2021-06-29T19:54:05 | 308,912,300 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,109 | cpp | #include <bits/stdc++.h>
using namespace std;
void printparenthesis(int i, int j, int n, int *s, char &name){
if(i==j){
cout << name++;
return;
}
cout << "(";
printparenthesis(i, *((s+i*n)+j), n, s, name);
printparenthesis(*((s+i*n)+j)+1, j, n, s, name);
cout << ")";
}
void matChainMul(int p[], int n){
int m[n][n];
int s[n][n];
for(int i=1; i<n; i++)
m[i][i]=0;
for(int L=2; L<n; L++){
for(int i=1; i<n-L+1; i++){
int j = i+L-1;
m[i][j] = INT_MAX;
for(int k=i; k<j; k++){
int q = m[i][k]+m[k+1][j]+p[i-1]*p[k]*p[j];
if(m[i][j] > q){
m[i][j] = q;
s[i][j] = k;
}
}
}
}
cout << "The order of multiplication is:\n";
char name = 'A';
printparenthesis(1, n-1, n, (int *)s, name);
cout << "\nThe cost of multiplication is:\n"<<m[1][n-1];
}
int main ()
{
int p[]={40, 20, 30, 10, 30};
int n=sizeof(p)/sizeof(p[0]);
matChainMul(p, n);
return 0;
}
| [
"pulock46@student.sust.edu"
] | pulock46@student.sust.edu |
42b416954fa05dcd610643dac0d329426070d37f | 38c10c01007624cd2056884f25e0d6ab85442194 | /extensions/common/permissions/usb_device_permission.h | 881d6dd745598f3c29feb182130f03a82a66bdc6 | [
"BSD-3-Clause"
] | permissive | zenoalbisser/chromium | 6ecf37b6c030c84f1b26282bc4ef95769c62a9b2 | e71f21b9b4b9b839f5093301974a45545dad2691 | refs/heads/master | 2022-12-25T14:23:18.568575 | 2016-07-14T21:49:52 | 2016-07-23T08:02:51 | 63,980,627 | 0 | 2 | BSD-3-Clause | 2022-12-12T12:43:41 | 2016-07-22T20:14:04 | null | UTF-8 | C++ | false | false | 1,295 | h | // Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef EXTENSIONS_COMMON_PERMISSIONS_USB_DEVICE_PERMISSION_H_
#define EXTENSIONS_COMMON_PERMISSIONS_USB_DEVICE_PERMISSION_H_
#include "base/basictypes.h"
#include "extensions/common/permissions/api_permission.h"
#include "extensions/common/permissions/set_disjunction_permission.h"
#include "extensions/common/permissions/usb_device_permission_data.h"
namespace extensions {
class UsbDevicePermission
: public SetDisjunctionPermission<UsbDevicePermissionData,
UsbDevicePermission> {
public:
struct CheckParam : public APIPermission::CheckParam {
CheckParam(uint16 vendor_id, uint16 product_id, int interface_id)
: vendor_id(vendor_id),
product_id(product_id),
interface_id(interface_id) {}
const uint16 vendor_id;
const uint16 product_id;
const int interface_id;
};
explicit UsbDevicePermission(const APIPermissionInfo* info);
~UsbDevicePermission() override;
// APIPermission overrides
PermissionIDSet GetPermissions() const override;
};
} // namespace extensions
#endif // EXTENSIONS_COMMON_PERMISSIONS_USB_DEVICE_PERMISSION_H_
| [
"zeno.albisser@hemispherian.com"
] | zeno.albisser@hemispherian.com |
b0326ebe67b5e9836ce956ba3e683a76912e698d | 2dfd8c5f63d4b9d3a5f9e516d0005e62c0ee54b1 | /bfs/openmp/bfs.cpp | 8c401ebc87828a9769f1f27e57ad5b141044429f | [] | no_license | bernecky/RodiniaBenchmark | bb6e69e6c87ae915f6908e09bfe3711c4f8779d9 | 2beec1c0f07c83b030477d6f19da0ccaedabb934 | refs/heads/master | 2021-05-13T13:59:40.518333 | 2017-07-23T15:00:37 | 2017-07-23T15:00:37 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,882 | cpp | #include <stdio.h>
#include <string.h>
#include <math.h>
#include <stdlib.h>
#include <omp.h>
//#define NUM_THREAD 4
//#define OPEN
int no_of_nodes;
int edge_list_size;
FILE *fp;
//Structure to hold a node information
struct Node
{
int starting;
int no_of_edges;
};
void BFSGraph(int argc, char** argv);
void Usage(int argc, char**argv)
{
fprintf(stderr,"Usage: %s <num_threads> <input_file>\n", argv[0]);
}
////////////////////////////////////////////////////////////////////////////////
// Main Program
////////////////////////////////////////////////////////////////////////////////
int main( int argc, char** argv)
{
no_of_nodes=0;
edge_list_size=0;
BFSGraph( argc, argv);
}
////////////////////////////////////////////////////////////////////////////////
//Apply BFS on a Graph using CUDA
////////////////////////////////////////////////////////////////////////////////
void BFSGraph( int argc, char** argv)
{
char *input_f;
int num_omp_threads;
if(argc!=3){
Usage(argc, argv);
exit(0);
}
num_omp_threads = atoi(argv[1]);
input_f = argv[2];
printf("Reading File\n");
//Read in Graph from a file
fp = fopen( input_f,"r");
if(!fp) {
printf( "Error Reading graph file\n");
return;
}
int source = 0;
fscanf( fp,"%d",&no_of_nodes);
// allocate host memory
Node* h_graph_nodes = (Node*) malloc(sizeof(Node)*no_of_nodes);
bool *h_graph_mask = (bool*) malloc(sizeof(bool)*no_of_nodes);
bool *h_updating_graph_mask = (bool*) malloc(sizeof(bool)*no_of_nodes);
bool *h_graph_visited = (bool*) malloc(sizeof(bool)*no_of_nodes);
int start, edgeno;
// initalize the memory
for( unsigned int i = 0; i < no_of_nodes; i++) {
fscanf(fp,"%d %d",&start,&edgeno);
h_graph_nodes[i].starting = start;
h_graph_nodes[i].no_of_edges = edgeno;
h_graph_mask[i]=false;
h_updating_graph_mask[i]=false;
h_graph_visited[i]=false;
}
//read the source node from the file
fscanf(fp,"%d",&source);
source=0;
//set the source node as true in the mask
h_graph_mask[source]=true;
h_graph_visited[source]=true;
fscanf(fp,"%d",&edge_list_size);
int id,cost;
int* h_graph_edges = (int*) malloc(sizeof(int)*edge_list_size);
for(int i=0; i < edge_list_size ; i++) {
fscanf(fp,"%d",&id);
fscanf(fp,"%d",&cost);
h_graph_edges[i] = id;
}
if(fp) {
fclose(fp);
}
// allocate mem for the result on host side
int* h_cost = (int*) malloc( sizeof(int)*no_of_nodes);
for(int i=0;i<no_of_nodes;i++) {
h_cost[i]=-1;
}
h_cost[source]=0;
printf("Start traversing the tree\n");
int k=0;
bool stop;
do {
//if no thread changes this value then the loop stops
stop=false;
#ifdef OPEN
omp_set_num_threads(num_omp_threads);
#pragma omp parallel for
#endif
for(int tid = 0; tid < no_of_nodes; tid++) {
if( h_graph_mask[tid] == true) {
h_graph_mask[tid]=false;
for(int i=h_graph_nodes[tid].starting; i<(h_graph_nodes[tid].no_of_edges + h_graph_nodes[tid].starting); i++) {
int id = h_graph_edges[i];
if(!h_graph_visited[id]) {
h_cost[id]=h_cost[tid]+1;
h_updating_graph_mask[id]=true;
}
}
}
}
for(int tid=0; tid< no_of_nodes ; tid++ ) {
if ( h_updating_graph_mask[tid] == true) {
h_graph_mask[tid]=true;
h_graph_visited[tid]=true;
stop=true;
h_updating_graph_mask[tid]=false;
}
}
k++;
} while(stop);
//Store the result into a file
FILE *fpo = fopen("result.txt","w");
for(int i=0;i<no_of_nodes;i++) {
fprintf(fpo,"%d) cost:%d\n",i,h_cost[i]);
}
fclose(fpo);
printf("Result stored in result.txt\n");
// cleanup memory
free( h_graph_nodes);
free( h_graph_edges);
free( h_graph_mask);
free( h_updating_graph_mask);
free( h_graph_visited);
free( h_cost);
}
| [
"jgo@sac-home.org"
] | jgo@sac-home.org |
66e927da931135c986f62b58868187a017892a7f | cc7661edca4d5fb2fc226bd6605a533f50a2fb63 | /System/Win32_SOCKADDR.h | 88ba1734546ab7507644f1bb1036e22db16caf38 | [
"MIT"
] | permissive | g91/Rust-C-SDK | 698e5b573285d5793250099b59f5453c3c4599eb | d1cce1133191263cba5583c43a8d42d8d65c21b0 | refs/heads/master | 2020-03-27T05:49:01.747456 | 2017-08-23T09:07:35 | 2017-08-23T09:07:35 | 146,053,940 | 1 | 0 | null | 2018-08-25T01:13:44 | 2018-08-25T01:13:44 | null | UTF-8 | C++ | false | false | 349 | h | #pragma once
#include "..\System\UInt16.h"
namespace System
{
namespace Net
{
{
namespace NetworkInformation
{
class Win32_SOCKADDR : public ValueType // 0x0
{
public:
System::UInt16 AddressFamily; // 0x10 (size: 0x2, flags: 0x6, type: 0x7)
unsigned char* AddressData; // 0x18 (size: 0x8, flags: 0x1006, type: 0x1d)
}; // size = 0x20
}
| [
"info@cvm-solutions.co.uk"
] | info@cvm-solutions.co.uk |
3e99916bf1b3d9faf0fcf1f0f10976c6e3af8d36 | 8f402716d1a0488b0daf6ebb925a66afbc87896e | /btsequence.h | 413ec268ce34f6f5996630ab53c0f6009512b5a2 | [] | no_license | chvatma2/tnm095-project | 427f6f92e6c15630bab9095e6842fe64f6559322 | 3db089e9a89cfe3da4118dcfdb782f5a36e333aa | refs/heads/master | 2020-03-30T10:20:40.229008 | 2018-10-19T07:56:01 | 2018-10-19T07:56:01 | 151,116,003 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 379 | h | #ifndef BTSEQUENCE_H
#define BTSEQUENCE_H
#include "btnode.h"
#include <QVector>
class BTSequence : public BTNode
{
public:
BTSequence(BTNode *parent);
void addChild(BTNode* child);
void execute() override;
void childFinished(bool succeeded) override;
private:
QVector<BTNode*> m_children;
int m_currentlyRunningChild = -1;
};
#endif // BTSEQUENCE_H
| [
"martnchvatal@gmail.com"
] | martnchvatal@gmail.com |
b5d2d51a43a2627ad9c64fbddb5b8b6033721f7a | 52f64708ba7560f5d16eef95b057a993ab73c787 | /Codeforces/957/B.cpp | d8c57be9940e891fe4f06b18352070bda3e16394 | [] | no_license | ckpiyanon/submission | 1c5709755afeba8b5087fa29b12f9c2c931c4b68 | 7b3f546e3c1e10787a24f567c9f2ec1366bbaf5a | refs/heads/master | 2022-10-28T18:42:34.937505 | 2020-06-15T22:00:19 | 2020-06-15T22:00:19 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 888 | cpp | #include <bits/stdc++.h>
using namespace std;
int n, m, chkR[55], chkC[55], chk[55][55];
char A[55][55];
void solve(int x, int y) {
chk[x][y] = true;
chkR[x] = true;
chkC[y] = true;
for(int i = 1; i <= n; ++i) {
if(A[i][y] == '#') {
chk[i][y] = true;
if(!chkR[i]) solve(i, y);
}
}
for(int i = 1; i <= m; ++i) {
if(A[x][i] == '#') {
chk[x][i] = true;
if(!chkC[i]) solve(x, i);
}
}
}
int main() {
#ifdef INPUT
freopen("r", "r", stdin);
#endif
scanf("%d %d", &n, &m);
for(int i = 1; i <= n; ++i) scanf("%s", A[i] + 1);
for(int i = 1; i <= n; ++i) for(int j = 1; j <= m; ++j) {
if(A[i][j] == '#' and !chk[i][j]) {
solve(i, j);
for(int i = 1; i <= n; ++i) for(int j = 1; j <= m; ++j) {
if(A[i][j] == '.' and chkR[i] and chkC[j]) return !printf("No");
}
memset(chkR, 0, sizeof chkR);
memset(chkC, 0, sizeof chkC);
}
}
puts("Yes");
} | [
"30414878+win11905@users.noreply.github.com"
] | 30414878+win11905@users.noreply.github.com |
f4af17f89f709a64e5a0e3f01c41355cec0d740c | 1f85142263a08d2e20080f18756059f581d524df | /lib/tags/lib-1.11.0.0/src/pagespeed/rules/remove_query_strings_from_static_resources.cc | c5b372fd098fe2e791e2c5f93604a7ef8b14b959 | [
"Apache-2.0"
] | permissive | songlibo/page-speed | 60edce572136a4b35f4d939fd11cc4d3cfd04567 | 8776e0441abd3f061da969644a9db6655fe01855 | refs/heads/master | 2021-01-22T08:27:40.145133 | 2016-02-03T15:34:40 | 2016-02-03T15:34:40 | 43,261,473 | 0 | 0 | null | 2015-09-27T19:32:17 | 2015-09-27T19:32:17 | null | UTF-8 | C++ | false | false | 4,787 | cc | // Copyright 2010 Google Inc. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
#include "pagespeed/rules/remove_query_strings_from_static_resources.h"
#include <string>
#include "base/logging.h"
#include "base/string_util.h"
#include "pagespeed/core/formatter.h"
#include "pagespeed/core/pagespeed_input.h"
#include "pagespeed/core/resource.h"
#include "pagespeed/core/resource_util.h"
#include "pagespeed/core/result_provider.h"
#include "pagespeed/core/rule_input.h"
#include "pagespeed/l10n/l10n.h"
#include "pagespeed/proto/pagespeed_output.pb.h"
namespace pagespeed {
namespace rules {
RemoveQueryStringsFromStaticResources::
RemoveQueryStringsFromStaticResources()
: pagespeed::Rule(pagespeed::InputCapabilities()) {}
const char* RemoveQueryStringsFromStaticResources::name() const {
return "RemoveQueryStringsFromStaticResources";
}
UserFacingString RemoveQueryStringsFromStaticResources::header() const {
// TRANSLATOR: The name of a Page Speed rule that tells webmasters to remove
// query strings from the URLs of static resources (i.e.
// 'www.google.com/style.css?x=2), because it hurts the cachability of the
// resource (in this case 'style.css'). This is displayed in a list of rule
// names that Page Speed generates, telling webmasters which rules they broke
// in their website.
return _("Remove query strings from static resources");
}
const char* RemoveQueryStringsFromStaticResources::documentation_url() const {
return "caching.html#LeverageProxyCaching";
}
bool RemoveQueryStringsFromStaticResources::
AppendResults(const RuleInput& rule_input, ResultProvider* provider) {
const PagespeedInput& input = rule_input.pagespeed_input();
for (int i = 0, num = input.num_resources(); i < num; ++i) {
const Resource& resource = input.GetResource(i);
if (resource.GetRequestUrl().find('?') != std::string::npos &&
resource_util::IsLikelyStaticResource(resource) &&
resource_util::IsProxyCacheableResource(resource)) {
Result* result = provider->NewResult();
result->add_resource_urls(resource.GetRequestUrl());
}
}
return true;
}
void RemoveQueryStringsFromStaticResources::
FormatResults(const ResultVector& results, RuleFormatter* formatter) {
if (results.empty()) {
return;
}
UrlBlockFormatter* body = formatter->AddUrlBlock(
// TRANSLATOR: Descriptive header at the top of a list of URLs that
// violate the RemoveQueryStringsFromStaticResources rule by using a query
// string in the URL of a static resource (such as
// www.google.com/style.css?x=2). It describes the problem to the user,
// and tells the user how to fix it.
_("Resources with a \"?\" in the URL are not cached by some proxy "
"caching servers. Remove the query string and encode the parameters "
"into the URL for the following resources:"));
for (ResultVector::const_iterator iter = results.begin(),
end = results.end(); iter != end; ++iter) {
const Result& result = **iter;
if (result.resource_urls_size() != 1) {
LOG(DFATAL) << "Unexpected number of resource URLs. Expected 1, Got "
<< result.resource_urls_size() << ".";
continue;
}
body->AddUrl(result.resource_urls(0));
}
}
int RemoveQueryStringsFromStaticResources::
ComputeScore(const InputInformation& input_info,
const RuleResults& results) {
const int num_static_resources = input_info.number_static_resources();
if (num_static_resources == 0) {
return 100;
}
const int num_non_violations = num_static_resources - results.results_size();
DCHECK(num_non_violations >= 0);
return 100 * num_non_violations / num_static_resources;
}
double RemoveQueryStringsFromStaticResources::ComputeResultImpact(
const InputInformation& input_info, const Result& result) {
// TODO(mdsteele): What is the impact of this rule? It doesn't ever actually
// save a request. It _might_ decrease the response time if 1) you're
// behind a proxy that has the relevant bug, and 2) the proxy has this
// resource in cache. In all other cases, following this rule's
// suggestion has no impact at all.
return 0.0;
}
} // namespace rules
} // namespace pagespeed
| [
"bmcquade@google.com"
] | bmcquade@google.com |
c3f33381fe9637bd72a7bef6767b4657fe899229 | 9d7b758dd5815cac3e92123941763439d5948141 | /ControllerApp/Classes/Native/Photon3Unity3D_ExitGames_Client_Photon_StreamBuffe3747118964.h | 56c4c82bfa794bce01ab72ce113e281aaa190a89 | [] | no_license | kongriley/TronVR | 083758ec925bfca541376f9f6a250d70b6082208 | 4819148343616a1327f3e5eec7d14d2cfeca7abe | refs/heads/master | 2021-01-19T08:46:30.256678 | 2017-04-08T16:42:03 | 2017-04-08T16:42:03 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,844 | h | #pragma once
#include "il2cpp-config.h"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <stdint.h>
#include "mscorlib_System_IO_Stream3255436806.h"
// System.Byte[]
struct ByteU5BU5D_t3397334013;
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// ExitGames.Client.Photon.StreamBuffer
struct StreamBuffer_t3747118964 : public Stream_t3255436806
{
public:
// System.Int32 ExitGames.Client.Photon.StreamBuffer::pos
int32_t ___pos_2;
// System.Int32 ExitGames.Client.Photon.StreamBuffer::len
int32_t ___len_3;
// System.Byte[] ExitGames.Client.Photon.StreamBuffer::buf
ByteU5BU5D_t3397334013* ___buf_4;
public:
inline static int32_t get_offset_of_pos_2() { return static_cast<int32_t>(offsetof(StreamBuffer_t3747118964, ___pos_2)); }
inline int32_t get_pos_2() const { return ___pos_2; }
inline int32_t* get_address_of_pos_2() { return &___pos_2; }
inline void set_pos_2(int32_t value)
{
___pos_2 = value;
}
inline static int32_t get_offset_of_len_3() { return static_cast<int32_t>(offsetof(StreamBuffer_t3747118964, ___len_3)); }
inline int32_t get_len_3() const { return ___len_3; }
inline int32_t* get_address_of_len_3() { return &___len_3; }
inline void set_len_3(int32_t value)
{
___len_3 = value;
}
inline static int32_t get_offset_of_buf_4() { return static_cast<int32_t>(offsetof(StreamBuffer_t3747118964, ___buf_4)); }
inline ByteU5BU5D_t3397334013* get_buf_4() const { return ___buf_4; }
inline ByteU5BU5D_t3397334013** get_address_of_buf_4() { return &___buf_4; }
inline void set_buf_4(ByteU5BU5D_t3397334013* value)
{
___buf_4 = value;
Il2CppCodeGenWriteBarrier(&___buf_4, value);
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"wfrankw9@gmail.com"
] | wfrankw9@gmail.com |
614e9ea3cc3ab1cb6791e955fe6b9cc2d753ef3f | b43c540d01645e9ad9dc6125619216dd58e59703 | /SellectionSort.cpp | 68e6fe0cfbb6d98d736419d78c665965fe543634 | [
"Apache-2.0"
] | permissive | ardamavi/cpp | 3c8fc3157d8e12cedf12b1efb9e03896b8073345 | cc1ac9a404dd6404e59f3b0037ad5dfabdfa75b6 | refs/heads/master | 2021-01-20T18:33:08.460375 | 2016-07-12T17:22:26 | 2016-07-12T17:22:26 | 61,953,842 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 667 | cpp | // Arda Mavi - ardamavi.com
#include <iostream>
using namespace std;
int main() {
cout << "Kaç sayı girilecek ? ";
int n;
cin >> n;
int arr[n];
int swp;
for (int i = 0; i < n; i++) {
cin >> arr[i];
}
for(int i = 0; i < n; i++) {
int min[2] = {99999, 0};
for (int m = i; m < n; m++) {
if (min[0] > arr[m]) {
min[0] = arr[m];
min[1] = m;
}
}
swp = arr[min[1]];
arr[min[1]] = arr[i];
arr[i] = swp;
}
for (int b = 0; b < n; b++) {
cout << " | " << arr[b] << " | ";
}
return 0;
}
| [
"noreply@github.com"
] | ardamavi.noreply@github.com |
c32719369185252014521f6e5d58efcaabfd5873 | 7dba763a2dd26983a69bf4658682df9937071173 | /src/r5/syntax_parser.cpp | 9bb6a62a1259d7e2c0d84b55d20f8f1d7a70f5db | [
"Apache-2.0"
] | permissive | qiling/kiviuq | fc495026c4cb16569ff95e7e86ac284ea26de40e | 9732e6ff451fd1bd984dfcd416fe9e978b698354 | refs/heads/master | 2021-01-13T13:21:25.050252 | 2015-03-24T09:22:12 | 2015-03-24T09:22:12 | null | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 13,744 | cpp | /*
$ [KiPHP] /r5/syntax_parser.cpp (1406) (C) 2005-2014 MF
*/
#define KI_RING 5
#include "../kiviuq.h"
#include "./syntax.h"
#include "./syntax_parser.h"
#define self r5_syntax_parser
#define _I(t) t->v._integer
#define _F(t) t->v._float
#define _S(t) t->v._string
#define CODE (* RCD4::code)
#define STACK (* r5_syntax::stack)
#define VAR(t, d, id) RCD4::var->use (_S(t), & d->v._directive.operand_##id);
#ifdef _KI_MSC_
#define L() COD4::label ( )
#define D(opcode, ...) COD4::directive (R2_CD_OPC_##opcode, __VA_ARGS__)
#define O(var, id, ...) COD4::operand (& var->v._directive.operand_##id, __VA_ARGS__)
#else
#define L() COD4::label ( )
#define D(opcode, ...a) COD4::directive (R2_CD_OPC_##opcode, ##a)
#define O(var, id, ...a) COD4::operand (& var->v._directive.operand_##id, ##a)
#endif
void r5_syntax_parser::token_to_operand (r5_syntax_token_t token, r2_code_directive_operand_t operand) {
switch(token->type) {
case T_INTEGER: operand->type = R2_CD_OPND_INTEGER; operand->v._integer = _I(token); break;
case T_FLOAT: operand->type = R2_CD_OPND_FLOAT; operand->v._float = _F(token); break;
case T_STRING: operand->type = R2_CD_OPND_STRING; operand->v._string = _S(token); break;
case T_IDENTIFIER: operand->type = R2_CD_OPND_IDENTIFIER; operand->v._string = _S(token); break;
case T_CONSTANT_TRUE: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_TRUE; break;
case T_CONSTANT_FALSE: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_FALSE; break;
case T_CONSTANT_NULL: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_NULL; break;
case T_CONSTANT_FUNCTION: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_FUNCTION; break;
case T_CONSTANT_CLASS: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_CLASS; break;
case T_CONSTANT_METHOD: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_METHOD; break;
case T_CONSTANT_DIR: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_DIR; break;
case T_CONSTANT_FILE: operand->type = R2_CD_OPND_CONSTANT; operand->v._constant = R2_CD_OPND_CONSTANT_FILE; break;
}
}
DEF_T2 (pragma) {
// 判断是否关闭了编译杂注的支持
if(C3(enable_pragma) == false) {
RCD4::warning (true, "编译杂注的支持已被禁用。如需启用编译杂注,请使用 -pragma-on 参数。");
return;
}
switch(t1->type) {
case T_PRAGMA_EXPORT:
switch(t2->type) {
case T_IDENTIFIER: BLD4::function_export (_S(t2)); break;
case T_VARIABLE: BLD4::variable_export (_S(t2)); break;
}
break;
case T_PRAGMA_ENCODE:
switch(t2->type) {
case T_CONSTANT_TRUE: C3(enable_encode) = true; break;
case T_CONSTANT_FALSE: C3(enable_encode) = false; break;
}
break;
case T_PRAGMA_INLINE:
switch(t2->type) {
case T_CONSTANT_TRUE: C3(enable_inline) = true; break;
case T_CONSTANT_FALSE: C3(enable_inline) = false; break;
}
break;
case T_PRAGMA_VM_WRAPPER: r3_config::update_vm (R3_CONFIG_VM_WRAPPER, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_ENTRY: r3_config::update_vm (R3_CONFIG_VM_ENTRY, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_HEAP: r3_config::update_vm (R3_CONFIG_VM_HEAP, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_STACK: r3_config::update_vm (R3_CONFIG_VM_STACK, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_TOP: r3_config::update_vm (R3_CONFIG_VM_TOP, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_BOTTOM: r3_config::update_vm (R3_CONFIG_VM_BOTTOM, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_EXCEPTION: r3_config::update_vm (R3_CONFIG_VM_EXCEPTION, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_PROGRAM: r3_config::update_vm (R3_CONFIG_VM_PROGRAM, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_RETURN: r3_config::update_vm (R3_CONFIG_VM_RETURN, _S(t2)->pointer ( )); break;
case T_PRAGMA_VM_MIDDLE: r3_config::update_vm (R3_CONFIG_VM_MIDDLE, _S(t2)->pointer ( )); break;
}
}
DEF_T1 (define_function_begin) {
// 判断是否为普通函数
if(RCD4::cls == NULL) {
// 跳转语句 - 跳过函数定义
r2_code_t jmp = D ( JMP, NULL );
CODE += jmp;
STACK += jmp;
} else {
// 判断抽象方法
if(RCD4::class_feature->_abstract == true) {
if(RCD4::cls->_abstract == false) {
RCD4::error (true, "类 %s 存在抽象方法 %s::%s,必须使用 abstract 关键词定义为抽象类。", RCD4::cls->name->pointer ( ), RCD4::cls->name->pointer ( ), _S(t1)->pointer ( ));
}
}
}
// 进入函数
BLD4::function_enter (_S(t1));
// 判断是否为非静态方法, 注册 this 指针
if((RCD4::class_feature != NULL) && (RCD4::class_feature->_static == false)) {
STR1 name ("%s", "this");
r2_code_t code = D ( THIS, NULL );
RCD4::var->use (& name, & code->v._directive.operand_1);
CODE += code;
}
}
DEF_T1 (define_function_end) {
// 判断是否为抽象方法
if((RCD4::class_feature == NULL) || (RCD4::class_feature->_abstract == false)) {
// 判断是否实现了函数
if(t1 == NULL) {
if(RCD4::cls == NULL) {
RCD4::error (true, "没有实现函数 %s。", RCD4::function->name->pointer ( ));
} else {
RCD4::error (true, "没有实现非抽象方法 %s::%s。非抽象方法必须提供方法体。", RCD4::cls->name->pointer ( ), RCD4::function->name->pointer ( ));
}
}
} else {
// 判断是否未实现方法
if(t1 != NULL) {
RCD4::error (true, "实现了抽象方法 %s::%s。抽象方法应当只有方法头(签名),无方法体。", RCD4::cls->name->pointer ( ), RCD4::function->name->pointer ( ));
}
}
CODE += D ( RETN, NULL );
// 判断是否为普通函数
if(RCD4::cls == NULL) {
// 跳转语句 - 跳过函数定义
r2_code_t jmp = STACK [0];
// 函数定义结束标签
r2_code_t label = L ( );
O ( jmp, 1, "L", label );
CODE += label;
STACK --;
}
// 退出函数
BLD4::function_leave ( );
}
DEF_T1 (define_function_parameter_required) {
// 判断是否为抽象方法
if((RCD4::class_feature == NULL) || (RCD4::class_feature->_abstract == false)) {
r2_code_t mov = D ( MOV, NULL );
r2_code_t mova = D ( MOVA, "@I", RCD4::function->parameter_total );
VAR ( t1, mov, 1 );
VAR ( t1, mova, 1 );
CODE += D ( PUSH, NULL );
CODE += mov;
CODE += mova;
CODE += D ( POP, NULL );
}
RCD4::function->parameter_total ++;
}
DEF_T1 (define_function_parameter_optional) {
// 判断是否为抽象方法
if((RCD4::class_feature == NULL) || (RCD4::class_feature->_abstract == false)) {
r2_code_t mov = D ( MOV, NULL );
r2_code_t mova = D ( MOVA, "@I", RCD4::function->parameter_total );
VAR ( t1, mov, 1 );
VAR ( t1, mova, 1 );
CODE += mov;
CODE += mova;
}
CODE += D ( POP, NULL );
RCD4::function->parameter_total ++;
RCD4::function->parameter_optional ++;
}
DEF_T2 (define_class_begin) {
// 进入类
BLD4::class_enter (_S(t1));
// 设置特性
switch(t2->type) {
case T_FINAL: RCD4::cls->_final = true; break;
case T_ABSTRACT: RCD4::cls->_abstract = true; break;
}
}
DEF_T0 (define_class_end) {
// 退出类
BLD4::class_leave ( );
}
DEF_T1 (define_class_extend) {
RCD4::cls->_extend = new STR1 (_S(t1));
}
DEF_T1 (define_class_implement) {
BLD4::class_implement (_S(t1));
}
DEF_T1 (define_class_feature) {
r2_class_feature_access_e access = R2_CLS_FTR_ACCESS_DEFAULT;
switch(t1->type) {
case T_PUBLIC: access = R2_CLS_FTR_ACCESS_PUBLIC; break;
case T_PROTECTED: access = R2_CLS_FTR_ACCESS_PROTECTED; break;
case T_PRIVATE: access = R2_CLS_FTR_ACCESS_PRIVATE; break;
case T_STATIC:
if(RCD4::class_feature->_static == true) {
RCD4::error (true, "多次使用 static 关键词修饰同一个类成员。");
}
RCD4::class_feature->_static = true;
break;
case T_FINAL:
if(RCD4::class_feature->_final == true) {
RCD4::error (true, "多次使用 final 关键词修饰同一个类成员。");
}
if(RCD4::class_feature->_abstract == true) {
RCD4::error (true, "同时使用 final 关键词和 abstract 关键词修饰同一个类成员。类成员不能既是终极的又是抽象的。");
}
RCD4::class_feature->_final = true;
break;
case T_ABSTRACT:
if(RCD4::class_feature->_abstract == true) {
RCD4::error (true, "多次使用 abstract 关键词修饰同一个类成员。");
}
if(RCD4::class_feature->_final == true) {
RCD4::error (true, "同时使用 final 关键词和 abstract 关键词修饰同一个类成员。类成员不能既是终极的又是抽象的。");
}
RCD4::class_feature->_abstract = true;
break;
}
if(access != R2_CLS_FTR_ACCESS_DEFAULT) {
if(RCD4::class_feature->access != R2_CLS_FTR_ACCESS_DEFAULT) {
RCD4::error (true, "多次使用类成员访问控制修饰符修饰同一个类成员。");
}
RCD4::class_feature->access = access;
}
}
DEF_T0 (define_class_next) {
// 重置类成员特性
M0::zero (RCD4::class_feature, sizeof (r2_class_feature_o));
}
DEF_T2 (define_class_const) {
r2_code_directive_operand_o operand;
self::token_to_operand (t2, & operand);
BLD4::class_declare_const (_S(t1), & operand);
}
DEF_T2 (define_class_property) {
// 无默认值属性
if(t2 == NULL) {
CODE += D ( PUSH, NULL );
}
// 判断是否为静态属性
if(RCD4::class_feature->_static == true) {
STR1 name ("%s", "self");
CODE += D ( PUSH, NULL );
CODE += D ( REF, "DD", & name, _S(t1) );
CODE += D ( ASG, NULL );
} else {
if(t2 != NULL) {
RCD4::warning (true, "受限于虚拟机的结构,无法实现为非静态类属性 %s::$%s 设置默认值,行为与标准 PHP 不一致。如需为非静态类属性设置默认值,请将赋值语句写入类构造方法中。", RCD4::cls->name->pointer ( ), _S(t1)->pointer ( ));
}
}
CODE += D ( POP, NULL );
BLD4::class_declare_property (_S(t1));
}
DEF_T0 (statement_expression) {
CODE += D ( POP, NULL );
}
DEF_T1 (statement_html) {
CODE += D ( PUSH, "S", _S(t1) );
CODE += D ( ECHO, NULL );
CODE += D ( POP, NULL );
}
DEF_T0 (statement_echo) {
CODE += D ( ECHO, NULL );
CODE += D ( POP, NULL );
}
DEF_T0 (statement_exit) {
CODE += D ( EXIT, NULL );
}
DEF_T0 (statement_eval) {
CODE += D ( EVAL, NULL );
CODE += D ( POP, NULL );
}
DEF_T1 (statement_return) {
if(t1 == NULL) {
CODE += D ( PUSH, NULL );
}
CODE += D ( RET, NULL );
}
DEF_T2 (statement_static) {
if(t2 == NULL) {
CODE += D ( PUSH, NULL );
}
r2_code_t ref = D ( REF, NULL );
if(RCD4::var->register_static (_S(t1), & ref->v._directive.operand_1, & ref->v._directive.operand_2) == true) {
r2_code_t mova = D ( MOVA, NULL );
M0::copy (& mova->v._directive.operand_1, & ref->v._directive.operand_2, sizeof (r2_code_directive_operand_o));
CODE += ref;
CODE += mova;
} else {
COD4::free (ref);
}
CODE += D ( POP, NULL );
}
DEF_T1 (statement_global) {
r2_code_t ref = D ( REF, NULL );
if(RCD4::var->register_global (_S(t1), & ref->v._directive.operand_1, & ref->v._directive.operand_2) == true) {
CODE += ref;
} else {
COD4::free (ref);
}
}
DEF_T1 (unset_variable) {
r2_code_t unset = D ( UNSET, NULL );
VAR ( t1, unset, 1 );
CODE += unset;
}
DEF_T1 (unset_array_begin) {
r2_code_t ref = D ( REF, NULL );
VAR ( t1, ref, 1 );
CODE += D ( PUSH, NULL );
CODE += ref;
}
DEF_T0 (unset_array_end) {
CODE += D ( UNSETK, NULL );
}
DEF_T0 (unset_array_shift) {
CODE += D ( SHK, NULL );
CODE += D ( POP, NULL );
}
DEF_T0 (exprlist_next) {
CODE += D ( POP, NULL );
}
DEF_T0 (exprlist_empty) {
CODE += D ( PUSH, NULL );
}
DEF_T0 (expr_silent_on) {
CODE += D ( SLTON, NULL );
}
DEF_T0 (expr_silent_off) {
CODE += D ( SLTOFF, NULL );
}
DEF_T1 (const_expression) {
switch(t1->type) {
case T_INTEGER: CODE += D ( PUSH, "I", _I(t1) ); break;
case T_FLOAT: CODE += D ( PUSH, "F", _F(t1) ); break;
case T_STRING: CODE += D ( PUSH, "S", _S(t1) ); break;
case T_IDENTIFIER: CODE += D ( PUSH, "D", _S(t1) ); break;
case T_CONSTANT_TRUE: CODE += D ( PUSH, "Ctrue" ); break;
case T_CONSTANT_FALSE: CODE += D ( PUSH, "Cfalse" ); break;
case T_CONSTANT_NULL: CODE += D ( PUSH, "Cnull" ); break;
case T_CONSTANT_DIR: CODE += D ( PUSH, "Cdir" ); break;
case T_CONSTANT_FILE: CODE += D ( PUSH, "Cfile" ); break;
case T_CONSTANT_FUNCTION:
if(RCD4::function == NULL) {
STR1 name;
CODE += D ( PUSH, "S", & name );
} else {
CODE += D ( PUSH, "S", RCD4::function->name );
}
break;
case T_CONSTANT_CLASS:
if(RCD4::cls == NULL) {
STR1 name;
CODE += D ( PUSH, "S", & name );
} else {
CODE += D ( PUSH, "S", RCD4::cls->name );
}
break;
case T_CONSTANT_METHOD:
{
STR1 name;
if(RCD4::cls != NULL) {
name += RCD4::cls->name;
if(RCD4::function != NULL) {
name += "::";
}
}
if(RCD4::function != NULL) {
name += RCD4::function->name;
}
CODE += D ( PUSH, "S", & name );
}
break;
}
}
DEF_T0 (array_build) {
CODE += D ( PUSH, NULL );
CODE += D ( ARRAY, NULL );
}
DEF_T0 (array_extend) {
CODE += D ( PUSH, NULL );
CODE += D ( REF, "At", -2 );
CODE += D ( ASGE, NULL );
CODE += D ( POP, NULL );
}
DEF_T1 (array_update) {
CODE += D ( PUSH, NULL );
CODE += D ( REF, "At", -2 );
CALL (const_expression) (t1);
CODE += D ( SHK, NULL );
CODE += D ( POP, NULL );
CODE += D ( ASG, NULL );
CODE += D ( POP, NULL );
}
| [
"mfmans@gmail.com"
] | mfmans@gmail.com |
eb096faf7deb98c132b4bebc5d0c95150674aa2d | a9b4fffe2346359f23054340697e4eb7939a7a67 | /dependencies/math/math.hpp | 5f78c51e0934ab9cfbe4fa3056eb9d61849aa26f | [
"MIT"
] | permissive | 42Dugg/chentricware | bca0af8b1b1db69773c43825de9b805582f379c1 | e052d5429efd3e22e9e6ffaa28e300164ca8c501 | refs/heads/main | 2023-03-21T23:41:57.545548 | 2021-03-12T02:06:49 | 2021-03-12T02:06:49 | 332,024,868 | 15 | 3 | MIT | 2021-01-24T00:36:44 | 2021-01-22T18:04:55 | C++ | UTF-8 | C++ | false | false | 1,113 | hpp | #pragma once
namespace math {
void correct_movement(vec3_t old_angles, c_usercmd* cmd, float old_forwardmove, float old_sidemove);
vec3_t calculate_angle(vec3_t& a, vec3_t& b);
vec3_t calculate_angle_3(const vec3_t& source, const vec3_t& destination, const vec3_t& viewAngles);
void angle_vectors(vec3_t& angles, vec3_t& forward);
float get_fov(const vec3_t& view_angle, const vec3_t& aim_angle);
void sin_cos(float r, float* s, float* c);
vec3_t angle_vector(vec3_t angle);
void transform_vector(vec3_t&, matrix_t&, vec3_t&);
void vector_angles(vec3_t&, vec3_t&);
void angle_vectors(vec3_t&, vec3_t*, vec3_t*, vec3_t*);
vec3_t vector_add(vec3_t&, vec3_t&);
vec3_t vector_subtract(vec3_t&, vec3_t&);
vec3_t vector_multiply(vec3_t&, vec3_t&);
vec3_t vector_divide(vec3_t&, vec3_t&);
bool screen_transform(const vec3_t& point, vec3_t& screen);
bool world_to_screen(const vec3_t& origin, vec3_t& screen);
template<class T>
void bt_math(T& vec)
{
for (auto i = 0; i < 2; i++) {
while (vec[i] < -180.0f) vec[i] += 360.0f;
while (vec[i] > 180.0f) vec[i] -= 360.0f;
}
vec[2] = 0.f;
}
};
| [
"35373538+42Dugg@users.noreply.github.com"
] | 35373538+42Dugg@users.noreply.github.com |
925d5bae8f9b66dd8c00ff933c9aa26b89ecabfd | 55ac482dc551df60badf61dc61a52198a3f4d2cd | /BattleTanks/Source/BattleTanks/TankAimingComponent.h | b49210fb1da14bec9388bfa95d01fb7d40f1beda | [] | no_license | SaviorKai/04_BattleTanks | fb0de74cf4a1a2867875ed5f8cd8664a2f311f35 | 4591c43d20c77e9fa932545dcb0a6f5963ba64bc | refs/heads/master | 2020-08-04T05:53:05.538645 | 2020-01-25T12:23:23 | 2020-01-25T12:23:23 | 212,027,517 | 2 | 0 | null | null | null | null | WINDOWS-1252 | C++ | false | false | 3,658 | h | // All rights reserved © 2019 Ivan Carl Engelbrecht
#pragma once
#include "CoreMinimal.h"
#include "Components/ActorComponent.h"
///Needs to be the last include
#include "TankAimingComponent.generated.h"
// EFiring Status Enum class creation.
UENUM()
enum class EFiringStatus : uint8
{
Locked,
Aiming,
Reloading,
OutOfAmmo
};
//Forward Declaration:
class UTankBarrel;
class UTankTurret;
class AProjectile;
/// IVAN NOTE: This line below, just above UCLASS, is how you add comments which is seen in the editor to this item in the "Add component" list.
//This Aiming component Sets the reference of the barrel for the tank and holds the TurnAndAimAt() method to get SuggestProjectileVelocity().
UCLASS( ClassGroup = (TankParts), meta=(BlueprintSpawnableComponent) )
class BATTLETANKS_API UTankAimingComponent : public UActorComponent
{
GENERATED_BODY()
public:
// Sets default values for this component's properties
UTankAimingComponent();
// Called every frame
virtual void TickComponent(float DeltaTime, ELevelTick TickType, FActorComponentTickFunction* ThisTickFunction) override;
///Methods
void TurnAndAimAt(FVector TargetLocation);
EFiringStatus GetFiringStatus() const;
UFUNCTION(BlueprintCallable, Category="Setup")
void InitialiseAimComponent(UTankBarrel* TankBarrel, UTankTurret* TankTurret);
UFUNCTION(BlueprintCallable, Category = "TankSetup") /// Made this a Blueprint callable function since we want to call it via input in blueprints.
void Fire();
protected:
// Called when the game starts
virtual void BeginPlay() override;
// Setup Ammo Count
UPROPERTY(EditDefaultsOnly, BlueprintReadOnly, Category = "Firing") /// TODO: Note: In the lecture, we are told to use a getter method to find this value, instead of setting them up as blueprintreadonly. Perhaps the same can be done for the Firing State.
int32 MyAmmoCount = 20; /// TODO: Test all the different types of things you can do (EditDefaultsOnly, BlueprintReadOnly) in protected, private, public, and also none used. Do the same for UFUNCTION.
// Setup MyFiringStatus enum var, which can be called by the UI.
UPROPERTY(BlueprintReadOnly, Category = "Setup") /// Why protected:? Remember that the parent of bp_TankAimingComponent is the C++ class TankAimingComponent.cpp. Thus, this needs to be in protected, so that the child classes can call it.
EFiringStatus MyFiringState = EFiringStatus::Reloading;
private:
UTankBarrel* MyTankBarrel = nullptr;
UTankTurret* MyTankTurret = nullptr;
FVector CurrentAimDirection = FVector(0,0,0);
float LastShotTime = 0;
UPROPERTY(EditDefaultsOnly, Category = "Firing")
float LaunchSpeed = 8000; // Sensible default starting vallue.
UPROPERTY(EditAnywhere, Category = "Firing") /// IVAN NOTE: EditAnywhere, means it can be changed on the default, and on the instances during runtime. EditDefaultsOnly, means you can only edit the default in the editor (not the instances).
float ReloadTimeInSeconds = 3; // Sensible default starting vallue.
UPROPERTY(EditDefaultsOnly, Category = "Firing")
TSubclassOf<AProjectile> TankProjectileType; //Method 1: In this method, I can be specific about which subclasses to include.
//UClass* TankProjectileType; //Method 2: All classes to choose from in the dropdown. Here I am setting the TYPES of classes you can choose from (UClass = All), and then giving it a name as a var (TankProjectileType), which is then referecenced in the Editor. This one is dangerous, as if you choose the wrong one, the editor will crash.
void MoveBarrel(FVector AimDirection);
void MoveTurret(FVector AimDirection);
bool IsBarrelMoving();
};
| [
"55675002+SaviorKai@users.noreply.github.com"
] | 55675002+SaviorKai@users.noreply.github.com |
13042a2ec79e27e251522b07ac7c480052becd70 | 6b9a4342b3ffee005573f9cbb3c53aefb04e75ae | /CodesC/UVA/10023 - Square root.cpp | ffd95e8ff00284460be1929f400480b5f94eb145 | [] | no_license | YousufAzadSami/Codes-From-Bachelor | be7613170f34c4be7efd399599e174c7a96f02aa | 51d36072417a1c4df172bb468ee04be72cbeff7f | refs/heads/master | 2020-12-15T00:22:42.641842 | 2020-01-19T15:53:53 | 2020-01-19T15:53:53 | 234,925,154 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 300 | cpp | #include<stdio.h>
#include<math.h>
int main()
{
long long int x,y;
int n;
scanf(" %d",&n);
printf("\n");
while(n--)
{
scanf(" %lld",&x);
printf("\n");
y=pow(x, .5 );
printf("%lld\n\n", y);
}
return 0;
}
| [
"sami1592@gmail.com"
] | sami1592@gmail.com |
b0daf4ab9a9565c64ecc19b20c56ff384c369a3b | f7ec60de12f1b6c2ae37061b2e67362a340222e6 | /Step1.Gait_Library/gen/opt/Ce1_vec5_five_link_walker.hh | 24a00391fd02576e0be24c74f3993ca0abfff752 | [] | no_license | yangcyself/TA_GaitDesign | c01d8d60ac4227add58df3ce6cad837b824c09c5 | 45b2afaaceec8b46dd9c8a4d52f7136f81b99f77 | refs/heads/master | 2020-09-20T19:41:43.542067 | 2020-02-15T03:26:47 | 2020-02-15T03:26:47 | 224,573,966 | 1 | 0 | null | 2019-11-28T05:06:52 | 2019-11-28T05:06:52 | null | UTF-8 | C++ | false | false | 989 | hh | /*
* Automatically Generated from Mathematica.
* Tue 17 Sep 2019 23:17:00 GMT-04:00
*/
#ifndef CE1_VEC5_FIVE_LINK_WALKER_HH
#define CE1_VEC5_FIVE_LINK_WALKER_HH
#ifdef MATLAB_MEX_FILE
// No need for external definitions
#else // MATLAB_MEX_FILE
#include "math2mat.hpp"
#include "mdefs.hpp"
namespace Times[step, Pattern[Rabbit, Blank[]]]
{
void Ce1_vec5_five_link_walker_raw(double *p_output1, const double *var1,const double *var2);
inline void Ce1_vec5_five_link_walker(Eigen::MatrixXd &p_output1, const Eigen::VectorXd &var1,const Eigen::VectorXd &var2)
{
// Check
// - Inputs
assert_size_matrix(var1, 7, 1);
assert_size_matrix(var2, 7, 1);
// - Outputs
assert_size_matrix(p_output1, 7, 1);
// set zero the matrix
p_output1.setZero();
// Call Subroutine with raw data
Ce1_vec5_five_link_walker_raw(p_output1.data(), var1.data(),var2.data());
}
}
#endif // MATLAB_MEX_FILE
#endif // CE1_VEC5_FIVE_LINK_WALKER_HH
| [
"pczhao@umich.edu"
] | pczhao@umich.edu |
b0119f53feb490ebfa5eacc90fba27c5f987275a | eb55551735cf3999585c544fc4c08db421058fc5 | /2 Main Conveyor/2 MainConveyor/MyFunctions.h | b330736455ca394e44c9b6fd68c8c450ac8aea86 | [] | no_license | Amicond/Triple-Full-Set | b8e18fb09d69100b5d8c701682e3a6ca62bbb868 | df19173a6ffd2549a185b9f3b50161f0f4b6869e | refs/heads/master | 2020-12-30T11:41:07.760645 | 2017-08-09T12:35:36 | 2017-08-09T12:35:36 | 91,516,115 | 0 | 0 | null | null | null | null | WINDOWS-1251 | C++ | false | false | 1,281 | h | #pragma once
#include "stdafx.h"
#include "Consts.h"
#include "Results.h"
#include "JFactors.h"
#include "State.h"
struct point
{
int sx;
int sy;
point(int x, int y);
bool operator==(const point& s2) const;
};
struct inter
{
char n1,n2; //номера плакетов, нумерация с 0
char v1,v2; //номера вершин, нумерация с 0
char Jtype; // 0-J1, 1-J2, 2-(J2-J1)
};
struct edge //для хранения координат ребер
{
int x1,y1,x2,y2;
bool operator==(const edge &e2) const;
void set(int X1, int Y1, int X2, int Y2);
};
int minus1(int *nodeSet, int n);
void eval_cur_route(int r[][2], int OrderLength, int RouteLength, std::vector<edge> &edges, int nodeNumsOfEdges[N][2], std::vector<point> &nodes, int &RealLength);
//осталась от начального случая - переписать или удалить
bool check_cur_operator_set(bool &Res, int OrderLength, int RealLength, int *termorder, int *op_set, std::vector<edge> edges);//проверяем можкт ли быть не 0 по данной конфигурации
void read_Route(int r[][2], std::istringstream &s);
void generate_procedure_order(int *termorder,int* operatororder,int edge_amount,int num,int *Res,int *power);
| [
"aau2002@yandex.ru"
] | aau2002@yandex.ru |
12e4873ec30b8ef971a58745c23a2399bf43551f | 3779a70e2ace8d4893e431f98de4b70c97d251eb | /src/rpcrawtransaction.cpp | 58f9ab0d1b172325cad09dad74017d045ad7afca | [
"MIT"
] | permissive | kingtiong/coinempz | adb5d9443510f89db10fd399502abad953040ce5 | 8106d98407556c03f25c86499c9226dbd205f61a | refs/heads/master | 2021-01-11T05:34:36.939389 | 2016-10-20T17:51:40 | 2016-10-20T17:51:40 | 71,488,799 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 21,118 | cpp | // Copyright (c) 2010 Satoshi Nakamoto
// Copyright (c) 2009-2012 The Bitcoin developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include <boost/assign/list_of.hpp>
#include "base58.h"
#include "bitcoinrpc.h"
#include "db.h"
#include "init.h"
#include "main.h"
#include "net.h"
#include "wallet.h"
using namespace std;
using namespace boost;
using namespace boost::assign;
using namespace json_spirit;
//
// Utilities: convert hex-encoded Values
// (throws error if not hex).
//
uint256 ParseHashV(const Value& v, string strName)
{
string strHex;
if (v.type() == str_type)
strHex = v.get_str();
if (!IsHex(strHex)) // Note: IsHex("") is false
throw JSONRPCError(RPC_INVALID_PARAMETER, strName+" must be hexadecimal string (not '"+strHex+"')");
uint256 result;
result.SetHex(strHex);
return result;
}
uint256 ParseHashO(const Object& o, string strKey)
{
return ParseHashV(find_value(o, strKey), strKey);
}
vector<unsigned char> ParseHexV(const Value& v, string strName)
{
string strHex;
if (v.type() == str_type)
strHex = v.get_str();
if (!IsHex(strHex))
throw JSONRPCError(RPC_INVALID_PARAMETER, strName+" must be hexadecimal string (not '"+strHex+"')");
return ParseHex(strHex);
}
vector<unsigned char> ParseHexO(const Object& o, string strKey)
{
return ParseHexV(find_value(o, strKey), strKey);
}
void ScriptPubKeyToJSON(const CScript& scriptPubKey, Object& out)
{
txnouttype type;
vector<CTxDestination> addresses;
int nRequired;
out.push_back(Pair("asm", scriptPubKey.ToString()));
out.push_back(Pair("hex", HexStr(scriptPubKey.begin(), scriptPubKey.end())));
if (!ExtractDestinations(scriptPubKey, type, addresses, nRequired))
{
out.push_back(Pair("type", GetTxnOutputType(TX_NONSTANDARD)));
return;
}
out.push_back(Pair("reqSigs", nRequired));
out.push_back(Pair("type", GetTxnOutputType(type)));
Array a;
BOOST_FOREACH(const CTxDestination& addr, addresses)
a.push_back(CBitcoinAddress(addr).ToString());
out.push_back(Pair("addresses", a));
}
void TxToJSON(const CTransaction& tx, const uint256 hashBlock, Object& entry)
{
entry.push_back(Pair("txid", tx.GetHash().GetHex()));
entry.push_back(Pair("version", tx.nVersion));
entry.push_back(Pair("locktime", (boost::int64_t)tx.nLockTime));
Array vin;
BOOST_FOREACH(const CTxIn& txin, tx.vin)
{
Object in;
if (tx.IsCoinBase())
in.push_back(Pair("coinbase", HexStr(txin.scriptSig.begin(), txin.scriptSig.end())));
else
{
in.push_back(Pair("txid", txin.prevout.hash.GetHex()));
in.push_back(Pair("vout", (boost::int64_t)txin.prevout.n));
Object o;
o.push_back(Pair("asm", txin.scriptSig.ToString()));
o.push_back(Pair("hex", HexStr(txin.scriptSig.begin(), txin.scriptSig.end())));
in.push_back(Pair("scriptSig", o));
}
in.push_back(Pair("sequence", (boost::int64_t)txin.nSequence));
vin.push_back(in);
}
entry.push_back(Pair("vin", vin));
Array vout;
for (unsigned int i = 0; i < tx.vout.size(); i++)
{
const CTxOut& txout = tx.vout[i];
Object out;
out.push_back(Pair("value", ValueFromAmount(txout.nValue)));
out.push_back(Pair("n", (boost::int64_t)i));
Object o;
ScriptPubKeyToJSON(txout.scriptPubKey, o);
out.push_back(Pair("scriptPubKey", o));
vout.push_back(out);
}
entry.push_back(Pair("vout", vout));
if (hashBlock != 0)
{
entry.push_back(Pair("blockhash", hashBlock.GetHex()));
map<uint256, CBlockIndex*>::iterator mi = mapBlockIndex.find(hashBlock);
if (mi != mapBlockIndex.end() && (*mi).second)
{
CBlockIndex* pindex = (*mi).second;
if (pindex->IsInMainChain())
{
entry.push_back(Pair("confirmations", 1 + nBestHeight - pindex->nHeight));
entry.push_back(Pair("time", (boost::int64_t)pindex->nTime));
entry.push_back(Pair("blocktime", (boost::int64_t)pindex->nTime));
}
else
entry.push_back(Pair("confirmations", 0));
}
}
}
Value getrawtransaction(const Array& params, bool fHelp)
{
if (fHelp || params.size() < 1 || params.size() > 2)
throw runtime_error(
"getrawtransaction <txid> [verbose=0]\n"
"If verbose=0, returns a string that is\n"
"serialized, hex-encoded data for <txid>.\n"
"If verbose is non-zero, returns an Object\n"
"with information about <txid>.");
uint256 hash = ParseHashV(params[0], "parameter 1");
bool fVerbose = false;
if (params.size() > 1)
fVerbose = (params[1].get_int() != 0);
CTransaction tx;
uint256 hashBlock = 0;
if (!GetTransaction(hash, tx, hashBlock, true))
throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "No information available about transaction");
CDataStream ssTx(SER_NETWORK, PROTOCOL_VERSION);
ssTx << tx;
string strHex = HexStr(ssTx.begin(), ssTx.end());
if (!fVerbose)
return strHex;
Object result;
result.push_back(Pair("hex", strHex));
TxToJSON(tx, hashBlock, result);
return result;
}
Value listunspent(const Array& params, bool fHelp)
{
if (fHelp || params.size() > 3)
throw runtime_error(
"listunspent [minconf=1] [maxconf=9999999] [\"address\",...]\n"
"Returns array of unspent transaction outputs\n"
"with between minconf and maxconf (inclusive) confirmations.\n"
"Optionally filtered to only include txouts paid to specified addresses.\n"
"Results are an array of Objects, each of which has:\n"
"{txid, vout, scriptPubKey, amount, confirmations}");
RPCTypeCheck(params, list_of(int_type)(int_type)(array_type));
int nMinDepth = 1;
if (params.size() > 0)
nMinDepth = params[0].get_int();
int nMaxDepth = 9999999;
if (params.size() > 1)
nMaxDepth = params[1].get_int();
set<CBitcoinAddress> setAddress;
if (params.size() > 2)
{
Array inputs = params[2].get_array();
BOOST_FOREACH(Value& input, inputs)
{
CBitcoinAddress address(input.get_str());
if (!address.IsValid())
throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, string("Invalid coinempz address: ")+input.get_str());
if (setAddress.count(address))
throw JSONRPCError(RPC_INVALID_PARAMETER, string("Invalid parameter, duplicated address: ")+input.get_str());
setAddress.insert(address);
}
}
Array results;
vector<COutput> vecOutputs;
assert(pwalletMain != NULL);
pwalletMain->AvailableCoins(vecOutputs, false);
BOOST_FOREACH(const COutput& out, vecOutputs)
{
if (out.nDepth < nMinDepth || out.nDepth > nMaxDepth)
continue;
if (setAddress.size())
{
CTxDestination address;
if (!ExtractDestination(out.tx->vout[out.i].scriptPubKey, address))
continue;
if (!setAddress.count(address))
continue;
}
int64 nValue = out.tx->vout[out.i].nValue;
const CScript& pk = out.tx->vout[out.i].scriptPubKey;
Object entry;
entry.push_back(Pair("txid", out.tx->GetHash().GetHex()));
entry.push_back(Pair("vout", out.i));
CTxDestination address;
if (ExtractDestination(out.tx->vout[out.i].scriptPubKey, address))
{
entry.push_back(Pair("address", CBitcoinAddress(address).ToString()));
if (pwalletMain->mapAddressBook.count(address))
entry.push_back(Pair("account", pwalletMain->mapAddressBook[address]));
}
entry.push_back(Pair("scriptPubKey", HexStr(pk.begin(), pk.end())));
if (pk.IsPayToScriptHash())
{
CTxDestination address;
if (ExtractDestination(pk, address))
{
const CScriptID& hash = boost::get<const CScriptID&>(address);
CScript redeemScript;
if (pwalletMain->GetCScript(hash, redeemScript))
entry.push_back(Pair("redeemScript", HexStr(redeemScript.begin(), redeemScript.end())));
}
}
entry.push_back(Pair("amount",ValueFromAmount(nValue)));
entry.push_back(Pair("confirmations",out.nDepth));
results.push_back(entry);
}
return results;
}
Value createrawtransaction(const Array& params, bool fHelp)
{
if (fHelp || params.size() != 2)
throw runtime_error(
"createrawtransaction [{\"txid\":txid,\"vout\":n},...] {address:amount,...}\n"
"Create a transaction spending given inputs\n"
"(array of objects containing transaction id and output number),\n"
"sending to given address(es).\n"
"Returns hex-encoded raw transaction.\n"
"Note that the transaction's inputs are not signed, and\n"
"it is not stored in the wallet or transmitted to the network.");
RPCTypeCheck(params, list_of(array_type)(obj_type));
Array inputs = params[0].get_array();
Object sendTo = params[1].get_obj();
CTransaction rawTx;
BOOST_FOREACH(const Value& input, inputs)
{
const Object& o = input.get_obj();
uint256 txid = ParseHashO(o, "txid");
const Value& vout_v = find_value(o, "vout");
if (vout_v.type() != int_type)
throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, missing vout key");
int nOutput = vout_v.get_int();
if (nOutput < 0)
throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid parameter, vout must be positive");
CTxIn in(COutPoint(txid, nOutput));
rawTx.vin.push_back(in);
}
set<CBitcoinAddress> setAddress;
BOOST_FOREACH(const Pair& s, sendTo)
{
CBitcoinAddress address(s.name_);
if (!address.IsValid())
throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, string("Invalid coinempz address: ")+s.name_);
if (setAddress.count(address))
throw JSONRPCError(RPC_INVALID_PARAMETER, string("Invalid parameter, duplicated address: ")+s.name_);
setAddress.insert(address);
CScript scriptPubKey;
scriptPubKey.SetDestination(address.Get());
int64 nAmount = AmountFromValue(s.value_);
CTxOut out(nAmount, scriptPubKey);
rawTx.vout.push_back(out);
}
CDataStream ss(SER_NETWORK, PROTOCOL_VERSION);
ss << rawTx;
return HexStr(ss.begin(), ss.end());
}
Value decoderawtransaction(const Array& params, bool fHelp)
{
if (fHelp || params.size() != 1)
throw runtime_error(
"decoderawtransaction <hex string>\n"
"Return a JSON object representing the serialized, hex-encoded transaction.");
vector<unsigned char> txData(ParseHexV(params[0], "argument"));
CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION);
CTransaction tx;
try {
ssData >> tx;
}
catch (std::exception &e) {
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX decode failed");
}
Object result;
TxToJSON(tx, 0, result);
return result;
}
Value signrawtransaction(const Array& params, bool fHelp)
{
if (fHelp || params.size() < 1 || params.size() > 4)
throw runtime_error(
"signrawtransaction <hex string> [{\"txid\":txid,\"vout\":n,\"scriptPubKey\":hex,\"redeemScript\":hex},...] [<privatekey1>,...] [sighashtype=\"ALL\"]\n"
"Sign inputs for raw transaction (serialized, hex-encoded).\n"
"Second optional argument (may be null) is an array of previous transaction outputs that\n"
"this transaction depends on but may not yet be in the block chain.\n"
"Third optional argument (may be null) is an array of base58-encoded private\n"
"keys that, if given, will be the only keys used to sign the transaction.\n"
"Fourth optional argument is a string that is one of six values; ALL, NONE, SINGLE or\n"
"ALL|ANYONECANPAY, NONE|ANYONECANPAY, SINGLE|ANYONECANPAY.\n"
"Returns json object with keys:\n"
" hex : raw transaction with signature(s) (hex-encoded string)\n"
" complete : 1 if transaction has a complete set of signature (0 if not)"
+ HelpRequiringPassphrase());
RPCTypeCheck(params, list_of(str_type)(array_type)(array_type)(str_type), true);
vector<unsigned char> txData(ParseHexV(params[0], "argument 1"));
CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION);
vector<CTransaction> txVariants;
while (!ssData.empty())
{
try {
CTransaction tx;
ssData >> tx;
txVariants.push_back(tx);
}
catch (std::exception &e) {
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX decode failed");
}
}
if (txVariants.empty())
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "Missing transaction");
// mergedTx will end up with all the signatures; it
// starts as a clone of the rawtx:
CTransaction mergedTx(txVariants[0]);
bool fComplete = true;
// Fetch previous transactions (inputs):
CCoinsView viewDummy;
CCoinsViewCache view(viewDummy);
{
LOCK(mempool.cs);
CCoinsViewCache &viewChain = *pcoinsTip;
CCoinsViewMemPool viewMempool(viewChain, mempool);
view.SetBackend(viewMempool); // temporarily switch cache backend to db+mempool view
BOOST_FOREACH(const CTxIn& txin, mergedTx.vin) {
const uint256& prevHash = txin.prevout.hash;
CCoins coins;
view.GetCoins(prevHash, coins); // this is certainly allowed to fail
}
view.SetBackend(viewDummy); // switch back to avoid locking mempool for too long
}
bool fGivenKeys = false;
CBasicKeyStore tempKeystore;
if (params.size() > 2 && params[2].type() != null_type)
{
fGivenKeys = true;
Array keys = params[2].get_array();
BOOST_FOREACH(Value k, keys)
{
CBitcoinSecret vchSecret;
bool fGood = vchSecret.SetString(k.get_str());
if (!fGood)
throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Invalid private key");
CKey key = vchSecret.GetKey();
tempKeystore.AddKey(key);
}
}
else
EnsureWalletIsUnlocked();
// Add previous txouts given in the RPC call:
if (params.size() > 1 && params[1].type() != null_type)
{
Array prevTxs = params[1].get_array();
BOOST_FOREACH(Value& p, prevTxs)
{
if (p.type() != obj_type)
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "expected object with {\"txid'\",\"vout\",\"scriptPubKey\"}");
Object prevOut = p.get_obj();
RPCTypeCheck(prevOut, map_list_of("txid", str_type)("vout", int_type)("scriptPubKey", str_type));
uint256 txid = ParseHashO(prevOut, "txid");
int nOut = find_value(prevOut, "vout").get_int();
if (nOut < 0)
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "vout must be positive");
vector<unsigned char> pkData(ParseHexO(prevOut, "scriptPubKey"));
CScript scriptPubKey(pkData.begin(), pkData.end());
CCoins coins;
if (view.GetCoins(txid, coins)) {
if (coins.IsAvailable(nOut) && coins.vout[nOut].scriptPubKey != scriptPubKey) {
string err("Previous output scriptPubKey mismatch:\n");
err = err + coins.vout[nOut].scriptPubKey.ToString() + "\nvs:\n"+
scriptPubKey.ToString();
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, err);
}
// what todo if txid is known, but the actual output isn't?
}
if ((unsigned int)nOut >= coins.vout.size())
coins.vout.resize(nOut+1);
coins.vout[nOut].scriptPubKey = scriptPubKey;
coins.vout[nOut].nValue = 0; // we don't know the actual output value
view.SetCoins(txid, coins);
// if redeemScript given and not using the local wallet (private keys
// given), add redeemScript to the tempKeystore so it can be signed:
if (fGivenKeys && scriptPubKey.IsPayToScriptHash())
{
RPCTypeCheck(prevOut, map_list_of("txid", str_type)("vout", int_type)("scriptPubKey", str_type)("redeemScript",str_type));
Value v = find_value(prevOut, "redeemScript");
if (!(v == Value::null))
{
vector<unsigned char> rsData(ParseHexV(v, "redeemScript"));
CScript redeemScript(rsData.begin(), rsData.end());
tempKeystore.AddCScript(redeemScript);
}
}
}
}
const CKeyStore& keystore = ((fGivenKeys || !pwalletMain) ? tempKeystore : *pwalletMain);
int nHashType = SIGHASH_ALL;
if (params.size() > 3 && params[3].type() != null_type)
{
static map<string, int> mapSigHashValues =
boost::assign::map_list_of
(string("ALL"), int(SIGHASH_ALL))
(string("ALL|ANYONECANPAY"), int(SIGHASH_ALL|SIGHASH_ANYONECANPAY))
(string("NONE"), int(SIGHASH_NONE))
(string("NONE|ANYONECANPAY"), int(SIGHASH_NONE|SIGHASH_ANYONECANPAY))
(string("SINGLE"), int(SIGHASH_SINGLE))
(string("SINGLE|ANYONECANPAY"), int(SIGHASH_SINGLE|SIGHASH_ANYONECANPAY))
;
string strHashType = params[3].get_str();
if (mapSigHashValues.count(strHashType))
nHashType = mapSigHashValues[strHashType];
else
throw JSONRPCError(RPC_INVALID_PARAMETER, "Invalid sighash param");
}
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];
CCoins coins;
if (!view.GetCoins(txin.prevout.hash, coins) || !coins.IsAvailable(txin.prevout.n))
{
fComplete = false;
continue;
}
const CScript& prevPubKey = coins.vout[txin.prevout.n].scriptPubKey;
txin.scriptSig.clear();
// Only sign SIGHASH_SINGLE if there's a corresponding output:
if (!fHashSingle || (i < mergedTx.vout.size()))
SignSignature(keystore, prevPubKey, mergedTx, i, nHashType);
// ... and merge in other signatures:
BOOST_FOREACH(const CTransaction& txv, txVariants)
{
txin.scriptSig = CombineSignatures(prevPubKey, mergedTx, i, txin.scriptSig, txv.vin[i].scriptSig);
}
if (!VerifyScript(txin.scriptSig, prevPubKey, mergedTx, i, SCRIPT_VERIFY_P2SH | SCRIPT_VERIFY_STRICTENC, 0))
fComplete = false;
}
Object result;
CDataStream ssTx(SER_NETWORK, PROTOCOL_VERSION);
ssTx << mergedTx;
result.push_back(Pair("hex", HexStr(ssTx.begin(), ssTx.end())));
result.push_back(Pair("complete", fComplete));
return result;
}
Value sendrawtransaction(const Array& params, bool fHelp)
{
if (fHelp || params.size() < 1 || params.size() > 1)
throw runtime_error(
"sendrawtransaction <hex string>\n"
"Submits raw transaction (serialized, hex-encoded) to local node and network.");
// parse hex string from parameter
vector<unsigned char> txData(ParseHexV(params[0], "parameter"));
CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION);
CTransaction tx;
// deserialize binary data stream
try {
ssData >> tx;
}
catch (std::exception &e) {
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX decode failed");
}
uint256 hashTx = tx.GetHash();
bool fHave = false;
CCoinsViewCache &view = *pcoinsTip;
CCoins existingCoins;
{
fHave = view.GetCoins(hashTx, existingCoins);
if (!fHave) {
// push to local node
CValidationState state;
if (!tx.AcceptToMemoryPool(state, true, false))
throw JSONRPCError(RPC_DESERIALIZATION_ERROR, "TX rejected"); // TODO: report validation state
}
}
if (fHave) {
if (existingCoins.nHeight < 1000000000)
throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "transaction already in block chain");
// Not in block, but already in the memory pool; will drop
// through to re-relay it.
} else {
SyncWithWallets(hashTx, tx, NULL, true);
}
RelayTransaction(tx, hashTx);
return hashTx.GetHex();
}
| [
"sttattatndoffford@standdforddc.com"
] | sttattatndoffford@standdforddc.com |
2c7ff14f67240a86990ec05a3dba2ee2e0c18ef2 | dec4ef167e1ce49062645cbf036be324ea677b5e | /SDK/PUBG_ThrowableWeaponStudio_functions.cpp | 252b654dcd49d2cc280c1ecaf047a7baeb568373 | [] | no_license | qrluc/pubg-sdk-3.7.19.5 | 519746887fa2204f27f5c16354049a8527367bfb | 583559ee1fb428e8ba76398486c281099e92e011 | refs/heads/master | 2021-04-15T06:40:38.144620 | 2018-03-26T00:55:36 | 2018-03-26T00:55:36 | 126,754,368 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,442 | cpp | // PlayerUnknown's Battlegrounds (3.5.7.7) SDK
#ifdef _MSC_VER
#pragma pack(push, 0x8)
#endif
#include "PUBG_ThrowableWeaponStudio_parameters.hpp"
namespace PUBG
{
//---------------------------------------------------------------------------
//Functions
//---------------------------------------------------------------------------
// Function ThrowableWeaponStudio.ThrowableWeaponStudio_C.OnLoaded
// (Public, BlueprintCallable, BlueprintEvent)
void AThrowableWeaponStudio_C::OnLoaded()
{
static UFunction* fn = nullptr;
if (!fn) fn = UObject::GetObjectCasted<UFunction>(60796);
AThrowableWeaponStudio_C_OnLoaded_Params params;
auto flags = fn->FunctionFlags;
UObject::ProcessEvent(fn, ¶ms);
fn->FunctionFlags = flags;
}
// Function ThrowableWeaponStudio.ThrowableWeaponStudio_C.UserConstructionScript
// (Event, Public, BlueprintCallable, BlueprintEvent)
void AThrowableWeaponStudio_C::UserConstructionScript()
{
static UFunction* fn = nullptr;
if (!fn) fn = UObject::GetObjectCasted<UFunction>(60794);
AThrowableWeaponStudio_C_UserConstructionScript_Params params;
auto flags = fn->FunctionFlags;
UObject::ProcessEvent(fn, ¶ms);
fn->FunctionFlags = flags;
}
// Function ThrowableWeaponStudio.ThrowableWeaponStudio_C.SetItem
// (Event, Public, BlueprintCallable, BlueprintEvent)
// Parameters:
// class UItem** Item (Parm, ZeroConstructor, IsPlainOldData)
void AThrowableWeaponStudio_C::SetItem(class UItem** Item)
{
static UFunction* fn = nullptr;
if (!fn) fn = UObject::GetObjectCasted<UFunction>(60792);
AThrowableWeaponStudio_C_SetItem_Params params;
params.Item = Item;
auto flags = fn->FunctionFlags;
UObject::ProcessEvent(fn, ¶ms);
fn->FunctionFlags = flags;
}
// Function ThrowableWeaponStudio.ThrowableWeaponStudio_C.ExecuteUbergraph_ThrowableWeaponStudio
// ()
// Parameters:
// int EntryPoint (Parm, ZeroConstructor, IsPlainOldData)
void AThrowableWeaponStudio_C::ExecuteUbergraph_ThrowableWeaponStudio(int EntryPoint)
{
static UFunction* fn = nullptr;
if (!fn) fn = UObject::GetObjectCasted<UFunction>(60787);
AThrowableWeaponStudio_C_ExecuteUbergraph_ThrowableWeaponStudio_Params params;
params.EntryPoint = EntryPoint;
auto flags = fn->FunctionFlags;
UObject::ProcessEvent(fn, ¶ms);
fn->FunctionFlags = flags;
}
}
#ifdef _MSC_VER
#pragma pack(pop)
#endif
| [
"qrl@uc.com"
] | qrl@uc.com |
ee8b5116494c5874460a7ac6a3b295a45264fcbf | 894d68383500787a3ec7bcb71b0ff9d43663ed0f | /src/qt/splashscreen.cpp | ed5c37a0c5129f0660d5e7dd44f174fb73e885cc | [
"MIT"
] | permissive | alleck/SatyrCoin | cfe38261a7e6fffda08a43ee6911da25e1be5417 | d9370a73b44a4197ad5756fd44bc09d92b0dcb26 | refs/heads/master | 2016-09-06T16:12:24.785654 | 2014-12-30T01:31:38 | 2014-12-30T01:31:38 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,048 | cpp | // Copyright (c) 2011-2013 The Bitcoin developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "splashscreen.h"
#include "clientversion.h"
#include "util.h"
#include <QPainter>
#undef loop /* ugh, remove this when the #define loop is gone from util.h */
#include <QApplication>
SplashScreen::SplashScreen(const QPixmap &pixmap, Qt::WindowFlags f) :
QSplashScreen(pixmap, f)
{
// set reference point, paddings
int paddingLeftCol2 = 230;
int paddingTopCol2 = 376;
int line1 = 0;
int line2 = 13;
int line3 = 26;
float fontFactor = 1.0;
// define text to place
QString titleText = QString(QApplication::applicationName()).replace(QString("-testnet"), QString(""), Qt::CaseSensitive); // cut of testnet, place it as single object further down
QString versionText = QString("Version %1 ").arg(QString::fromStdString(FormatFullVersion()));
QString copyrightText1 = QChar(0xA9)+QString(" 2009-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Bitcoin developers"));
QString copyrightText2 = QChar(0xA9)+QString(" 2011-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The SatyrCoin developers"));
QString font = "Arial";
// load the bitmap for writing some text over it
QPixmap newPixmap;
if(GetBoolArg("-testnet")) {
newPixmap = QPixmap(":/images/splash_testnet");
}
else {
newPixmap = QPixmap(":/images/splash");
}
QPainter pixPaint(&newPixmap);
pixPaint.setPen(QColor(70,70,70));
pixPaint.setFont(QFont(font, 9*fontFactor));
pixPaint.drawText(paddingLeftCol2,paddingTopCol2+line3,versionText);
// draw copyright stuff
pixPaint.setFont(QFont(font, 9*fontFactor));
pixPaint.drawText(paddingLeftCol2,paddingTopCol2+line1,copyrightText1);
pixPaint.drawText(paddingLeftCol2,paddingTopCol2+line2,copyrightText2);
pixPaint.end();
this->setPixmap(newPixmap);
}
| [
"root@arch1.mylinuxvault.com"
] | root@arch1.mylinuxvault.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.