blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 4 201 | content_id stringlengths 40 40 | detected_licenses listlengths 0 85 | license_type stringclasses 2
values | repo_name stringlengths 7 100 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 260
values | visit_date timestamp[us] | revision_date timestamp[us] | committer_date timestamp[us] | github_id int64 11.4k 681M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 17
values | gha_event_created_at timestamp[us] | gha_created_at timestamp[us] | gha_language stringclasses 80
values | src_encoding stringclasses 28
values | language stringclasses 1
value | is_vendor bool 1
class | is_generated bool 2
classes | length_bytes int64 8 9.86M | extension stringclasses 52
values | content stringlengths 8 9.86M | authors listlengths 1 1 | author stringlengths 0 119 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
711c467f7027506dfefb7a3123ee9587a050b4fd | a01851ad710157c72e2a122a1f7735639f6db225 | /L007. Reverse Integer.cpp | 50e79ac7d265ac7050b1ce49f5c958db0a3123f8 | [] | no_license | we-are-kicking-lhx/xinxinalgorithm | 9089629b210a5a0e199f374c74afc24742644f03 | e988e3bca6438af6933378f374afb2627a5708fe | refs/heads/master | 2021-06-27T10:50:22.979162 | 2020-11-23T07:01:23 | 2020-11-23T07:01:23 | 173,912,054 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 353 | cpp | class Solution {
public:
int reverse(int x) {
int ans=0;
while(x!=0){
int temp=x%10;
if(ans>INT_MAX/10 || (ans==INT_MAX/10 && temp > 7)) return 0;
if(ans<INT_MIN/10 || (ans==INT_MIN/10 && temp < -6)) return 0;
ans=ans*10+x%10;
x=x/10;
}
return ans;
}
}; | [
"1917089423@qq.com"
] | 1917089423@qq.com |
2216df78bea0e417102ad80a01765172f485d250 | 88d04f005db29d3b7bfba06f5545115a8ff7a54c | /Chapter_9_Sequential_Containers/9.44.cpp | 0db879159573ec3b2f8a699de02f6658ddc3f998 | [] | no_license | WindZQ/C_Plus_Plus_Primer_Answers | 3083775fb53181edb6cdb977a0d8d12ad2098ce0 | c485e9d2fcecea6c96cccbd60d09100f686a6840 | refs/heads/master | 2020-09-14T15:43:52.363238 | 2020-04-25T12:20:25 | 2020-04-25T12:20:25 | 223,173,154 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 641 | cpp | #include <iostream>
#include <string>
void replace(std::string &s, const std::string &oldVal, const std::string &newVal)
{
for(size_t pos = 0; pos <= s.size() - oldVal.size();)
{
if(s[pos] == oldVal[0] && s.substr(pos, oldVal.size() == oldVal))
{
s.replace(pos, oldVal.size(), newVal);
pos += newVal.size();
}
else
{
++pos;
}
}
}
int main(void)
{
std::string s("To drive straight thru is a foolish, tho courageous act.");
replace(s,"tho","though");
replace(s, "thru", "through");
std::cout << s << std::endl;
return 0;
}
| [
"1049498972@qq.com"
] | 1049498972@qq.com |
afa116e1792c260dc9bd4bc6414be914208132db | 2c7b2803632653e041f665081b6cd6870399eb18 | /src/Editor/Manager.h | 855b5d9d790bc9a772dbf896df6645d6c584bf67 | [] | no_license | Dragon7/WorldOfWarcraftEditor | 4c57c602c7be3ada1c2dbd90e477d18bfe28ae98 | 0eca47dc13174e7a128adee237a8284e79c55a88 | refs/heads/master | 2023-03-20T05:54:59.317701 | 2011-09-23T22:33:58 | 2011-09-23T22:33:58 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,250 | h | #ifndef MANAGER_H
#define MANAGER_H
#include <string>
#include <map>
using namespace std;
// base class for manager objects
class ManagedItem
{
int refcount;
public:
string name;
ManagedItem(string n) : name(n), refcount(0) {}
virtual ~ManagedItem() {}
void addref()
{
++refcount;
}
bool delref()
{
return --refcount==0;
}
};
template <class IDTYPE>
class Manager
{
public:
map<string, IDTYPE> names;
map<IDTYPE, ManagedItem*> items;
Manager()
{
}
virtual IDTYPE add(string name) = 0;
virtual void del(IDTYPE id)
{
if (items[id]->delref())
{
ManagedItem* i = items[id];
doDelete(id);
names.erase(names.find(i->name));
items.erase(items.find(id));
delete i;
}
}
void delbyname(string name)
{
if(has(name))
del(get(name));
}
virtual void doDelete(IDTYPE id) {}
bool has(string name)
{
return (names.find(name) != names.end());
}
IDTYPE get(string name)
{
return names[name];
}
protected:
void do_add(string name, IDTYPE id, ManagedItem* item)
{
names[name] = id;
item->addref();
items[id] = item;
}
};
class SimpleManager : public Manager<int>
{
int baseid;
public:
SimpleManager() : baseid(0)
{
}
protected:
int nextID()
{
return baseid++;
}
};
#endif
| [
"glararan@glararan.eu"
] | glararan@glararan.eu |
b3cde05785bb9e0673064cff58d4832951807b76 | 731e28710822f3844572e67525d7b2036dfc40e5 | /automacao_switchcase/automacao_switchcase.ino | b373dcacd80532c601522440fb34617d3a33f343 | [
"MIT"
] | permissive | rbbs22/Automacao | 02e12d7da419366fe7990f3eb7afe016e4371391 | 3c9a548b10d5d0a275c4a90d0fca863e30d55009 | refs/heads/master | 2020-08-08T08:26:01.791534 | 2019-10-09T01:27:40 | 2019-10-09T01:27:40 | 213,791,963 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 603 | ino | /**
Automação com Arduino
@author José de Assis
*/
// criando uma variável que irá receber um caractere
char leitor;
void setup() {
pinMode(12, OUTPUT);
pinMode(13, OUTPUT);
Serial.begin(9600);
}
void loop() {
if (Serial.available()) {
leitor = Serial.read();
switch (leitor) {
case 'a':
digitalWrite(13, HIGH);
break;
case 's':
digitalWrite(13, LOW);
break;
case 'q':
digitalWrite(12, HIGH);
break;
case 'w':
digitalWrite(12, LOW);
break;
}
}
}
| [
"noreply@github.com"
] | noreply@github.com |
c910fe44b0eec248612376544fb3822ec6bccd2e | d5b4e4481ef91477acb328047eb221629a778aa8 | /bsv/chamdoo/bluecachedaemon.cpp | 4386f765daadd5c16bade5b80f38a616aa3f1342 | [] | no_license | askflight/fpgamemcached | 41b84894b17222899c1212e0b3c5682f9707cc27 | 12476a47e547ad197c7753f91c55e72a15c07fcf | refs/heads/master | 2022-02-20T08:26:43.486605 | 2016-05-05T20:46:18 | 2016-05-05T20:46:18 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 27,926 | cpp | /* Copyright (c) 2014 Quanta Research Cambridge, Inc
*
* Permission is hereby granted, free of charge, to any person obtaining a
* copy of this software and associated documentation files (the "Software"),
* to deal in the Software without restriction, including without limitation
* the rights to use, copy, modify, merge, publish, distribute, sublicense,
* and/or sell copies of the Software, and to permit persons to whom the
* Software is furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included
* in all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
* OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL
* THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
* DEALINGS IN THE SOFTWARE.
*/
#include <stdio.h>
#include <sys/mman.h>
#include <string.h>
#include <stdlib.h>
#include <unistd.h>
#include <pthread.h>
#include <monkit.h>
#include "StdDmaIndication.h"
#include "MemServerRequest.h"
#include "MMURequest.h"
#include "BluecacheRequest.h"
#include "BluecacheIndication.h"
#include <string.h>
#include "protocol_binary.h"
#include "atomic.h"
#include <stdlib.h> /* srand, rand */
#include <time.h>
#include <math.h>
#include <queue>
#include <iostream>
#include "bluecachedaemon.h"
#define ALLOC_SZ (1<<20)
#define DMABUF_SZ (1<<13)
#define NUM_BUFS (ALLOC_SZ/DMABUF_SZ)
volatile int dmaWrEnqPtr = 0;
volatile int dmaWrDeqPtr = 0;
volatile int dmaRdEnqPtr = 0;
volatile int dmaRdDeqPtr = 0;
int reqId = 0;
int eomCnt = 0;
int srcAlloc, dstAlloc;
unsigned int *srcBuffer = 0;
unsigned int *dstBuffer = 0;
int batched_requests = 0;
unsigned int dma_requests = 0;
atomic_t outstanding_requests = {0};
atomic_t dma_responses = {0};
volatile bool flushing = false;
int set_fails = 0;
int get_fails = 0;
int resp_cnt = 0;
int num_resps = 0;
int flush_type_0 = 0;
int flush_type_1 = 0;
int flush_type_2 = 0;
int flush_type_x = 0;
int flush_type_req_0 = 0;
int flush_type_req_1 = 0;
int flush_type_req_2 = 0;
int flush_type_req_3 = 0;
unsigned int old_dma_requests = 0;
int old_batched_requests = 0;
int old_outstanding_requests = 0;
int old_dma_responses = 0;
//timespec interval_start;
//timespec start, now;
double avgSendLatency = 0;
double avgLatency = 0;
//int numGets = 0;
atomic_t numGets = {0};
sem_t initDone_sem;
std::vector<uint32_t> perf_sample;
std::queue<uint32_t> eraseTagQ;
std::queue<uint32_t> freeReadBufId;
std::queue<uint32_t> busyReadBufId;
std::queue<uint32_t> returnWriteBufId;
uint32_t currSrcBase = -1;
int srcBuf_offset = DMABUF_SZ;
uint32_t currDstBase = -1;
int dstBuf_offset = DMABUF_SZ;
pthread_mutex_t mu_read, mu_write;
pthread_cond_t cond, cond_write;
// char** keyArray;
// char** valArray;
// int* keylenArray;
// int* vallenArray;
bool* setStatus;
BluecacheRequestProxy *device = 0;
int pageSz = 8192;
class BluecacheIndication : public BluecacheIndicationWrapper{
public:
uint32_t lowCnt_0;
uint32_t upCnt_0;
uint32_t max_0;
uint32_t* fifoArray_0;
virtual void sendData_0(uint32_t v){
if ( (upCnt_0 - lowCnt_0) == max_0 ) {
uint32_t* tempFifoArray = new uint32_t[max_0*2];
memcpy(tempFifoArray, fifoArray_0, max_0*sizeof(uint32_t));
delete fifoArray_0;
fifoArray_0 = tempFifoArray;
max_0*=2;
}
fifoArray_0[upCnt_0%max_0] = v;
upCnt_0++;
}
virtual void elementReq_0(uint32_t v){
for (int i = 0; i < v; i++ ){
device->recvData_0(fifoArray_0[lowCnt_0%max_0]);
lowCnt_0++;
}
}
uint32_t lowCnt_1;
uint32_t upCnt_1;
uint32_t max_1;
uint32_t* fifoArray_1;
virtual void sendData_1(uint32_t v){
if ( (upCnt_1 - lowCnt_1) == max_1 ) {
uint32_t* tempFifoArray = new uint32_t[max_1*2];
memcpy(tempFifoArray, fifoArray_1, max_1*sizeof(uint32_t));
delete fifoArray_1;
fifoArray_1 = tempFifoArray;
max_1*=2;
}
fifoArray_1[upCnt_1%max_1] = v;
upCnt_1++;
}
virtual void elementReq_1(uint32_t v){
for (int i = 0; i < v; i++ ){
device->recvData_1(fifoArray_1[lowCnt_1%max_1]);
lowCnt_1++;
}
}
uint32_t lowCnt_2;
uint32_t upCnt_2;
uint32_t max_2;
uint32_t* fifoArray_2;
virtual void sendData_2(uint32_t v){
if ( (upCnt_2 - lowCnt_2) == max_2 ) {
uint32_t* tempFifoArray = new uint32_t[max_2*2];
memcpy(tempFifoArray, fifoArray_2, max_2*sizeof(uint32_t));
delete fifoArray_2;
fifoArray_2 = tempFifoArray;
max_2*=2;
}
fifoArray_2[upCnt_2%max_2] = v;
upCnt_2++;
}
virtual void elementReq_2(uint32_t v){
for (int i = 0; i < v; i++ ){
device->recvData_2(fifoArray_2[lowCnt_2%max_2]);
lowCnt_2++;
}
}
virtual void initDone(uint32_t dummy){
fprintf(stderr, "Main:: Memcached init finished\n");
sem_post(&initDone_sem);
// pthread_mutex_lock(&mu_read);
// pthread_cond_signal(&cond);
// pthread_mutex_unlock(&mu_read);
}
int dmaReadResp;// = 0;
virtual void rdDone(uint32_t bufId){
//fprintf(stderr, "Main:: dma readBufId = %d done success, dmaReadResp = %d\n", bufId, dmaReadResp++);
dmaRdEnqPtr=(dmaRdEnqPtr+1)%(2*NUM_BUFS);
}
virtual void wrDone(uint32_t bufId){
//fprintf(stderr, "Main:: dma Write dmaWrEnqPtr = %d done success\n", dmaWrEnqPtr);
dmaWrEnqPtr=(dmaWrEnqPtr+1)%(2*NUM_BUFS);
}
BluecacheIndication(int id) : BluecacheIndicationWrapper(id){//, eraseAcks(0), dumpAcks(0){
lowCnt_0 = 0;
upCnt_0 = 0;
max_0 = 2;
fifoArray_0 = new uint32_t[max_0];
lowCnt_1 = 0;
upCnt_1 = 0;
max_1 = 2;
fifoArray_1 = new uint32_t[max_1];
lowCnt_2 = 0;
upCnt_2 = 0;
max_2 = 2;
fifoArray_2 = new uint32_t[max_2];
dmaReadResp = 0;
}
~BluecacheIndication(){
delete fifoArray_0;
delete fifoArray_1;
delete fifoArray_2;
}
};
void printhdr(protocol_binary_response_header v1){
fprintf(stderr, "magic %x\n", v1.response.magic);
fprintf(stderr, "opcode %x\n", v1.response.opcode);
fprintf(stderr, "keylen %x\n", v1.response.keylen);
fprintf(stderr, "extlen %x\n", v1.response.extlen);
fprintf(stderr, "datatype %x\n", v1.response.datatype);
fprintf(stderr, "status %x\n", v1.response.status);
fprintf(stderr, "bodylen %x\n", v1.response.bodylen);
fprintf(stderr, "opaque %x\n", v1.response.opaque);
fprintf(stderr, "cas %lx\n", v1.response.cas);
}
void dump(const char *prefix, char *buf, size_t len)
{
fprintf(stderr, "%s ", prefix);
for (int i = 0; i < (len > 16 ? 16 : len) ; i++)
fprintf(stderr, "%02x", (unsigned char)buf[i]);
fprintf(stderr, "\n");
}
void initMemcached(int size1, int size2, int size3, int addr0, int addr1, int addr2, int addr3){
int numHLines = addr0/64;
int lgHLines = (int)log2((double)numHLines);
addr0 = (1 << lgHLines)*64 + 2*(1<<20);
int lgSz1 = (int)log2((double)size1);
int lgSz2 = (int)log2((double)size2);
int lgSz3 = (int)log2((double)size3);
if ( 1<<lgSz1 < size1 ) lgSz1++;
if ( 1<<lgSz2 < size2 ) lgSz2++;
if ( 1<<lgSz3 < size3 ) lgSz3++;
if ( lgSz2 <= lgSz1 ) lgSz2 = lgSz1+1;
if ( lgSz3 <= lgSz2 ) lgSz3 = lgSz2+1;
size1 = 1<<lgSz1;
size2 = 1<<lgSz2;
size3 = 1<<lgSz3;
int delta, numSlots, lgNumSlots;
int randMax1, randMax2, randMax3;
delta = addr1 - addr0;
numSlots = delta/size1;
lgNumSlots = (int)log2((double)numSlots);
randMax1 = (1 << lgNumSlots) - 1;
addr1 = addr0 + (randMax1+1)*size1;
delta = addr2 - addr1;
numSlots = delta/size2;
lgNumSlots = (int)log2((double)numSlots);
randMax2 = (1 << lgNumSlots) - 1;
addr2 = addr1 + (randMax2+1)*size2;
delta = addr3 - addr2;
numSlots = delta/size3;
lgNumSlots = (int)log2((double)numSlots);
randMax3 = (1 << lgNumSlots) - 1;
addr3 = addr2 + (randMax3+1)*size3;
fprintf(stderr, "Init Bluecache: hash table size: %d(2^%d) rows\n", 1 << lgHLines, lgHLines);
fprintf(stderr, "Init Bluecache: value store slab 0: size = %d bytes (2^%d), numEntries = %d(2^%d)\n", 1 << lgSz1, lgSz1, randMax1+1, (int)log2((double)randMax1+1));
fprintf(stderr, "Init Bluecache: value store slab 1: size = %d bytes (2^%d), numEntries = %d(2^%d)\n", 1 << lgSz2, lgSz2, randMax2+1, (int)log2((double)randMax2+1));
fprintf(stderr, "Init Bluecache: value store slab 2: size = %d bytes (2^%d), numEntries = %d(2^%d)\n", 1 << lgSz3, lgSz3, randMax3+1, (int)log2((double)randMax3+1));
device->initTable(lgHLines);
device->initValDelimit(randMax1, randMax2, randMax3, lgSz1, lgSz2, lgSz3);
device->initAddrDelimit(addr0-addr0, addr1-addr0, addr2-addr0);
}
double timespec_diff_sec( timespec start, timespec end ) {
double t = end.tv_sec - start.tv_sec;
t += ((double)(end.tv_nsec - start.tv_nsec)/1000000000L);
return t;
}
double timespec_diff_usec( timespec start, timespec end ) {
double t = (end.tv_sec - start.tv_sec)*1e6;
t += ((double)(end.tv_nsec - start.tv_nsec)/1e3);
return t;
}
/*bool greaterThanInterval(timespec start, timespec end ){
uint64_t t_ms = (end.tv_sec - start.tv_sec)*(1000);
t_ms += ((end.tv_nsec - start.tv_nsec)/1000000L);
return t_ms>=20;
}*/
int waitIdleReadBuffer() {
while ( true ){
if ( dmaRdEnqPtr != dmaRdDeqPtr ){
int retval = (dmaRdDeqPtr%NUM_BUFS)*DMABUF_SZ;
//fprintf(stderr, "Main::WaitIdleReadBuf, dmaRdDeqPtr = %d, got next bufId = %d\n", dmaRdDeqPtr, retval);
dmaRdDeqPtr=(dmaRdDeqPtr+1)%(2*NUM_BUFS);
return retval;
}
}
}
int waitIdleWriteBuffer() {
while ( true ){
if ( dmaWrEnqPtr != dmaWrDeqPtr ){
int retval = (dmaWrDeqPtr%NUM_BUFS)*DMABUF_SZ;
//fprintf(stderr, "Main::WaitIdleWriteBuf, dmaWrDeqPtr = %d, got next bufId = %d\n", dmaWrDeqPtr, retval);
dmaWrDeqPtr=(dmaWrDeqPtr+1)%(2*NUM_BUFS);
return retval;
}
}
}
void dmaBufMemwrite(char* reqBuf, size_t totalSize){
atomic_inc(&outstanding_requests);
int temp_batched_requests = batched_requests;
if ( srcBuf_offset + totalSize < DMABUF_SZ ){
batched_requests++;
} else if ( srcBuf_offset + totalSize == DMABUF_SZ ) {
batched_requests = 0;
} else {
batched_requests = 1;
}
while (totalSize > 0 ){
if ( srcBuf_offset + totalSize < DMABUF_SZ) {
//fprintf(stderr, "Main:: currSrcBase = %d, srcBuf_offset = %d\n", currSrcBase, srcBuf_offset);
memcpy((char*)srcBuffer + currSrcBase + srcBuf_offset, reqBuf, totalSize);
srcBuf_offset+=totalSize;
totalSize = 0;
} else {
if (currSrcBase != -1){
memcpy((char*)srcBuffer + currSrcBase + srcBuf_offset, reqBuf, DMABUF_SZ - srcBuf_offset);
reqBuf+=(DMABUF_SZ-srcBuf_offset);
totalSize-=(DMABUF_SZ-srcBuf_offset);
device->startRead(currSrcBase, DMABUF_SZ);
//fprintf(stderr, "Number of DMA Read Requests = %d\n", dma_requests);
dma_requests++;
flush_type_req_3 += temp_batched_requests;
}
srcBuf_offset=0;
currSrcBase = waitIdleReadBuffer();
}
}
}
void sendSet(void* key, void* val, size_t keylen, size_t vallen, uint32_t opaque){
protocol_binary_request_header header;
memset(&header, 0, sizeof(protocol_binary_request_header));
header.request.magic = PROTOCOL_BINARY_REQ;
header.request.opcode = PROTOCOL_BINARY_CMD_SET;
header.request.keylen = keylen;
header.request.bodylen = keylen + vallen;
header.request.opaque = opaque;
size_t totalSize = sizeof(protocol_binary_request_header) + keylen + vallen;
char* reqBuf = new char[totalSize];
char* srcBuf = reqBuf;
memcpy(srcBuf, &header, sizeof(protocol_binary_request_header));
srcBuf+=sizeof(protocol_binary_request_header);
memcpy(srcBuf, key, keylen);
srcBuf+=keylen;
memcpy(srcBuf, val, vallen);
dmaBufMemwrite(reqBuf, totalSize);
delete reqBuf;
}
void sendGet(void* key, size_t keylen, uint32_t opaque){
protocol_binary_request_header header;
memset(&header, 0, sizeof(protocol_binary_request_header));
header.request.magic = PROTOCOL_BINARY_REQ;
header.request.opcode = PROTOCOL_BINARY_CMD_GET;
header.request.keylen = keylen;
header.request.bodylen = keylen;
header.request.opaque = opaque;
size_t totalSize = sizeof(protocol_binary_request_header) + keylen;
char* reqBuf = new char[totalSize];
char* srcBuf = reqBuf;
memcpy(srcBuf, &header, sizeof(protocol_binary_request_header));
srcBuf+=sizeof(protocol_binary_request_header);
memcpy(srcBuf, key, keylen);
dmaBufMemwrite(reqBuf, totalSize);
delete reqBuf;
}
void sendDelete(void* key, size_t keylen, uint32_t opaque){
protocol_binary_request_header header;
memset(&header, 0, sizeof(protocol_binary_request_header));
header.request.magic = PROTOCOL_BINARY_REQ;
header.request.opcode = PROTOCOL_BINARY_CMD_DELETE;
header.request.keylen = keylen;
header.request.bodylen = keylen;
header.request.opaque = opaque;
size_t totalSize = sizeof(protocol_binary_request_header) + keylen;
char* reqBuf = new char[totalSize];
char* srcBuf = reqBuf;
memcpy(srcBuf, &header, sizeof(protocol_binary_request_header));
srcBuf+=sizeof(protocol_binary_request_header);
memcpy(srcBuf, key, keylen);
dmaBufMemwrite(reqBuf, totalSize);
delete reqBuf;
}
void sendEom(){
protocol_binary_request_header header;
memset(&header, 0, sizeof(protocol_binary_request_header));
header.request.magic = PROTOCOL_BINARY_REQ;
header.request.opcode = PROTOCOL_BINARY_CMD_EOM;
header.request.keylen = 0;
header.request.bodylen = 0;
header.request.opaque = 0;
size_t totalSize = sizeof(protocol_binary_request_header);
char* reqBuf = new char[totalSize];
char* srcBuf = reqBuf;
memcpy(srcBuf, &header, sizeof(protocol_binary_request_header));
dmaBufMemwrite(reqBuf, totalSize);
delete reqBuf;
}
void flushDmaBuf(){
sendEom();
batched_requests = 0;
if ( srcBuf_offset > 0 && currSrcBase != -1 ){
/*for ( int i = 0; i < srcBuf_offset; i++){
fprintf(stderr, "Main::dumpbuf, token[%d] = %02x\n", i, *((char*)(srcBuffer) + currSrcBase + i));
}*/
device->startRead(currSrcBase, srcBuf_offset);
//fprintf(stderr, "Number of DMA Read Requests = %d\n", dma_requests);
dma_requests++;
srcBuf_offset = 0;
currSrcBase = waitIdleReadBuffer();
}
}
void dmaBufMemreadBuf(void* respBuf, size_t totalSize){
size_t offset = 0;
while (totalSize > 0 ){
if ( dstBuf_offset + totalSize < DMABUF_SZ) {
//fprintf(stderr, "Main:: currDstBase = %d, dstBuf_offset = %d, totalSize = %d\n", currDstBase, dstBuf_offset, totalSize);
memcpy(respBuf, (char*)dstBuffer + currDstBase + dstBuf_offset, totalSize);
dstBuf_offset+=totalSize;
totalSize = 0;
} else {
if (currDstBase != -1){
//fprintf(stderr, "Main:: currDstBase = %d, dstBuf_offset = %d, totalSize = %d\n",currDstBase, dstBuf_offset, totalSize);
memcpy(respBuf, (char*)dstBuffer + currDstBase + dstBuf_offset, DMABUF_SZ - dstBuf_offset);
respBuf+=(DMABUF_SZ-dstBuf_offset);
totalSize-=(DMABUF_SZ-dstBuf_offset);
device->freeWriteBufId(currDstBase);
}
dstBuf_offset=0;
currDstBase = waitIdleWriteBuffer();
atomic_inc(&dma_responses);
}
}
}
void resetDMADstBuf(){
//sendEom();
if ( dstBuf_offset > 0 && currDstBase != -1 ){
//device->freeWriteBufId(currDstBase);
dstBuf_offset = DMABUF_SZ;
//currDstBase = -1;
}
}
void storePerfNumber(){
FILE * pFile = fopen("/home/shuotao/perf_rps.txt", "w");
if ( pFile ){
int size = perf_sample.size();
for ( int i = 0; i < size; i++ ){
fprintf(pFile, "%d\n", perf_sample[i]);
}
} else {
fprintf(stderr,"File open failed\n");
exit(0);
}
}
//pthread_spinlock_t spinlock;
pthread_mutex_t mutexlock;
sem_t* lockList;
bool** successList;
unsigned char*** valBufList;
size_t** valSizeList;
int clientCnt = 0;
int initMainThread(){
pthread_mutex_lock(&mutexlock);
sem_t* lockList_temp = new sem_t[clientCnt+1];
bool** successList_temp = new bool*[clientCnt+1];
unsigned char*** valBufList_temp = new unsigned char**[clientCnt+1];
size_t** valSizeList_temp = new size_t*[clientCnt+1];
if ( clientCnt > 0 ){
for ( int i = 0; i < clientCnt; i++){
lockList_temp[i] = lockList[i];
successList_temp[i] = successList[i];
valBufList_temp[i] = valBufList[i];
valSizeList_temp[i] = valSizeList[i];
}
delete(lockList);
delete(successList);
delete(valBufList);
delete(valSizeList);
}
//mutex = mutex_temp;
lockList = lockList_temp;
//sem_init(lockList+clientCnt, 1, 0);
for (int i = 0; i < clientCnt + 1; i++ ){
sem_init(lockList+i, 1, 0);
}
successList = successList_temp;
valBufList = valBufList_temp;
valSizeList = valSizeList_temp;
//sem_init(mutex[clientCnt], 0, 1);
pthread_mutex_unlock(&mutexlock);
return clientCnt++;
}
void initBluecacheProxy(){
//pthread_spin_init(&spinlock, 0);
pthread_mutex_init(&mutexlock, NULL);
if(sem_init(&initDone_sem, 1, 0)){
fprintf(stderr, "failed to init done_sem\n");
exit(1);
}
BluecacheIndication *deviceIndication = 0;
fprintf(stderr, "Main::%s %s\n", __DATE__, __TIME__);
device = new BluecacheRequestProxy(IfcNames_BluecacheRequest);
deviceIndication = new BluecacheIndication(IfcNames_BluecacheIndication);
MemServerRequestProxy *hostMemServerRequest = new MemServerRequestProxy(IfcNames_HostMemServerRequest);
MMURequestProxy *dmap = new MMURequestProxy(IfcNames_HostMMURequest);
DmaManager *dma = new DmaManager(dmap);
MemServerIndication *hostMemServerIndication = new MemServerIndication(hostMemServerRequest, IfcNames_HostMemServerIndication);
MMUIndication *hostMMUIndication = new MMUIndication(dma, IfcNames_HostMMUIndication);
fprintf(stderr, "Main::allocating memory...\n");
srcAlloc = portalAlloc(ALLOC_SZ);//, 1);
dstAlloc = portalAlloc(ALLOC_SZ);//, 1);
srcBuffer = (unsigned int *)portalMmap(srcAlloc, ALLOC_SZ);
dstBuffer = (unsigned int *)portalMmap(dstAlloc, ALLOC_SZ);
pthread_mutex_init(&mu_read, NULL);
pthread_cond_init(&cond, NULL);
pthread_mutex_init(&mu_write, NULL);
pthread_cond_init(&cond_write, NULL);
portalExec_start();
for (int i = 0; i < ALLOC_SZ/4; i++){
srcBuffer[i] = i;
dstBuffer[i] = 0x5a5abeef;
}
portalDCacheFlushInval(srcAlloc, ALLOC_SZ, srcBuffer);
portalDCacheFlushInval(dstAlloc, ALLOC_SZ, dstBuffer);
fprintf(stderr, "Main::flush and invalidate complete\n");
unsigned int ref_srcAlloc = dma->reference(srcAlloc);
unsigned int ref_dstAlloc = dma->reference(dstAlloc);
fprintf(stderr, "ref_srcAlloc=%d\n", ref_srcAlloc);
fprintf(stderr, "ref_dstAlloc=%d\n", ref_dstAlloc);
pthread_t thread_response;
pthread_create(&thread_response, NULL, decode_response, (void*) NULL);
pthread_t thread_request;
pthread_create(&thread_request, NULL, flush_request, (void*) NULL);
int numBufs = ALLOC_SZ/DMABUF_SZ;
srand(time(NULL));
device->initDMARefs(ref_srcAlloc, ref_dstAlloc);
device->reset(rand());
dmaRdEnqPtr=NUM_BUFS;
dmaRdDeqPtr=0;
//pthread_mutex_lock(&mu_read);
for (uint32_t t = 0; t < numBufs; t++) {
uint32_t byteoffset = t * DMABUF_SZ;
//freeReadBufId.push(byteoffset);
device->freeWriteBufId(byteoffset);
}
//pthread_mutex_unlock(&mu_read);
device->initDMABufSz(DMABUF_SZ);
//initMemcached(8193, 8194, 8195 , 1<<25, (1<<25)+(1<<14)+8193*2048, 1<<27, 1<<29);
//initMemcached(128, 256, 1024, 1<<25, 1<<26, 1<<27, 1<<29);
//initMemcached(128, 256, 1024, 1<<28, 1<<28+1, 1<<29, 1<<30);
//initMemcached(8193, 8194, 8195 , 1<<25, (1<<25)+(1<<14)+8193, 1<<27, 1<<29);
initMemcached(pageSz*6, pageSz*64, pageSz*128 , 1<<25, (1<<25)+(1<<14)+pageSz*6, 1<<27, 1<<29);
sem_wait(&initDone_sem);
}
void *flush_request(void *ptr){
int num_of_flushes = 0;
while (true){
//pthread_spin_lock(&spinlock);
pthread_mutex_lock(&mutexlock);
int outstanding_reqs = atomic_read(&outstanding_requests);
int dma_resps = atomic_read(&dma_responses);
int sleep = 0;
if ( !flushing ){
if ( batched_requests >= 64) {
flush_type_0++;
flush_type_req_0 += batched_requests;
flushDmaBuf();
} else {
if (flush_type_req_0 >= 6400 - 64) {
flushDmaBuf();
}
}
/*
} else if ( batched_requests > 0 && old_batched_requests == batched_requests && old_dma_requests == dma_requests ) {
//fprintf(stderr, "batched_requests = %d, old_batched_requests = %d, dma_requests = %d, old_dma_requests = %d, num_of_flushes = %d\n", batched_requests, old_batched_requests, dma_requests, old_dma_requests, num_of_flushes++);
flush_type_1++;
flush_type_req_1 += batched_requests;
flushDmaBuf();
flushing = true;
sleep = 1;
} else if ( outstanding_reqs > 0 && outstanding_reqs == old_outstanding_requests && old_dma_responses == dma_resps ){
//fprintf(stderr, "outstanding_requests = %d, old_outstanding_requests = %d, dma_responses = %d, old_dma_responses = %d, num_of_flushes = %d\n", outstanding_reqs, old_outstanding_requests, dma_resps, old_dma_responses, num_of_flushes++);
flush_type_2++;
flush_type_req_2 += batched_requests;
flushDmaBuf();
flushing = true;
sleep = 1;
} else {
flush_type_x++;
}
*/
}
old_batched_requests = batched_requests;
old_dma_requests = dma_requests;
old_outstanding_requests = outstanding_reqs;
old_dma_responses = dma_resps;
//pthread_spin_unlock(&spinlock);
pthread_mutex_unlock(&mutexlock);
//if (sleep)
// usleep(100);
}
}
int numReqs = 0;
int numFlushes = 0;
void sendSet(void* key, void* val, size_t keylen, size_t vallen, uint32_t opaque, bool* success){
//pthread_spin_lock(&spinlock);
pthread_mutex_lock(&mutexlock);
//fprintf(stderr, "Main:: send Set request, clientId = %d, numReqs = %d\n", opaque, numReqs);
sendSet(key, val, keylen, vallen, opaque);
//fprintf(stderr, "Main:: send Set numReqs = %d, clientCnt = %d\n", numReqs, clientCnt);
if (numReqs == (6399)){
//fprintf(stderr, "Main:: flushing pipeline, flushCnt = %d\n", numFlushes++);
flushDmaBuf();
flushing = true;
}
numReqs++;
//fprintf(stderr, "Main:: send Set return pointers, clientId = %d\n", opaque);
successList[opaque] = success;
//pthread_spin_unlock(&spinlock);
pthread_mutex_unlock(&mutexlock);
//fprintf(stderr,"Main:: sendSet start waiting, clientId = %d\n", opaque);
//pthread_yield();
sem_wait(&lockList[opaque]);
//fprintf(stderr,"Main:: sendSet done waiting, clientId = %d\n", opaque);
}
void sendGet(void* key, size_t keylen, uint32_t opaque, unsigned char** val, size_t* vallen){
timespec start, end;
clock_gettime(CLOCK_REALTIME, &start);
//fprintf(stderr, "Main:: send Get request trying to grab lock, clientId = %d\n", opaque);
//pthread_spin_lock(&spinlock);
pthread_mutex_lock(&mutexlock);
sendGet(key, keylen, opaque);
//fprintf(stderr, "Main:: send Get numReqs = %d, clientCnt = %d\n", numReqs, clientCnt);
/*
if ( numReqs % clientCnt == clientCnt - 1 ){
//fprintf(stderr, "Main:: flushing pipeline, flushCnt = %d\n", numFlushes++);
flushDmaBuf();
flushing = true;
}
*/
numReqs++;
//fprintf(stderr, "Main:: send Get return pointers, clientId = %d\n", opaque);
valBufList[opaque] = val;
valSizeList[opaque] = vallen;
//pthread_spin_unlock(&spinlock);
pthread_mutex_unlock(&mutexlock);
//fprintf(stderr,"Main:: sendGet start waiting, clientId = %d\n", opaque);
clock_gettime(CLOCK_REALTIME, &end);
double diff = timespec_diff_usec(start, end);
//avgSendLatency = avgSendLatency*(double)numGets/(double)(numGets+1) + diff/(double)(numGets+1);
//pthread_yield();
sem_wait(&lockList[opaque]);
clock_gettime(CLOCK_REALTIME, &end);
diff = timespec_diff_usec(start, end);
int nGets = atomic_read(&numGets);
avgLatency = avgLatency*(double)nGets/(double)(nGets+1) + diff/(double)(nGets+1);
//fprintf(stderr,"Main:: sendGet get Result from FPGA, clientId = %d, numGets = %d\n", opaque, nGets);
//numGets++;
atomic_inc(&numGets);
}
void sendDelete(void* key, size_t keylen, uint32_t opaque, bool* success){
//pthread_spin_lock(&spinlock);
pthread_mutex_lock(&mutexlock);
sendDelete(key, keylen, opaque);
//fprintf(stderr, "Main:: send Delete numReqs = %d, clientCnt = %d\n", numReqs, clientCnt);
/*
if ( numReqs % clientCnt == clientCnt - 1 ){
flushDmaBuf();
flushing = true;
}
*/
numReqs++;
successList[opaque] = success;
//pthread_spin_unlock(&spinlock);
pthread_mutex_unlock(&mutexlock);
sem_wait(&lockList[opaque]);
}
void *decode_response(void *ptr){
int respCnt = 0;
protocol_binary_response_header resphdr;
while (true){
dmaBufMemreadBuf(&resphdr, sizeof(protocol_binary_response_header));
resp_cnt++;
//printhdr(resphdr);
if ( resphdr.response.magic != PROTOCOL_BINARY_RES ){
printhdr(resphdr);
fprintf(stderr, "Main:: response magic is not right\n");
exit(0);
}
if (resphdr.response.opcode == PROTOCOL_BINARY_CMD_SET){
if ( resphdr.response.status != PROTOCOL_BINARY_RESPONSE_SUCCESS) {
//fprintf(stderr,"Main:: Set %d fails\n", resphdr.response.opaque);
//printhdr(resphdr);
*(successList[resphdr.response.opaque]) = false;
} else {
//fprintf(stderr,"Main:: Set %d succeeds\n", resphdr.response.opaque);
*(successList[resphdr.response.opaque]) = true;
}
sem_post(&(lockList[resphdr.response.opaque]));
} else if (resphdr.response.opcode == PROTOCOL_BINARY_CMD_GET){
// fprintf(stderr, "Main:: Get RespCnt = %d\n", respCnt++);
if(resphdr.response.status == PROTOCOL_BINARY_RESPONSE_SUCCESS){
//fprintf(stderr,"Main:: Get %d succeeds, vallen = %d\n", resphdr.response.opaque, resphdr.response.bodylen);
unsigned char* valrecv = new unsigned char[resphdr.response.bodylen];
dmaBufMemreadBuf(valrecv, resphdr.response.bodylen);
*(valBufList[resphdr.response.opaque]) = valrecv;
*(valSizeList[resphdr.response.opaque]) = resphdr.response.bodylen;
}
else {
//fprintf(stderr,"Main:: Get %d fails\n", resphdr.response.opaque);
//get_fails++;
}
sem_post(&(lockList[resphdr.response.opaque]));
} else if (resphdr.response.opcode == PROTOCOL_BINARY_CMD_EOM ){
//dmaBufMemreadBuf(&resphdr, sizeof(protocol_binary_response_header));
//printhdr(resphdr);
//fprintf(stderr, "Main:: EOM\n");
assert(resphdr.response.magic == PROTOCOL_BINARY_RES );
assert(resphdr.response.opcode == PROTOCOL_BINARY_CMD_EOM);
assert(resphdr.response.bodylen == 0);
resetDMADstBuf();
//pthread_mutex_lock(&mutexlock);
flushing = false;
//pthread_mutex_unlock(&mutexlock);
respCnt=0;
// pthread_mutex_lock(&mu_write);
// num_resps = resp_cnt;
// resp_cnt = 0;
// pthread_cond_signal(&cond_write);
// pthread_mutex_unlock(&mu_write);
// fprintf(stderr, "Response Thread: receive EOM, eomCnt = %d\n", eomCnt++);
} else if (resphdr.response.opcode == PROTOCOL_BINARY_CMD_DELETE ) {
assert(resphdr.response.magic == PROTOCOL_BINARY_RES );
assert(resphdr.response.bodylen == 0);
*(successList[resphdr.response.opaque]) = true;
sem_post(&(lockList[resphdr.response.opaque]));
} else {
printhdr(resphdr);
fprintf(stderr,"Main: Response not supported\n");
exit(1);
}
// fprintf(stderr, "Main:: finish checking a response\n");
atomic_dec(&outstanding_requests);
}
}
| [
"chamdoo@gmail.com"
] | chamdoo@gmail.com |
811b14479e4c5eda4cfb835cefbbd4f9f0ca0bb9 | 9b78e3d9a0b679d8f5f7536700cd5ee7988ec00d | /Tree Data Structure/Symmetric Binary Tree.cpp | 65f5e99e0231c395334047bc2bba5361ced68e21 | [
"MIT"
] | permissive | naz-mul94/InterviewBit-solution | 1d2aff442d9378f9e27bc414f2ed9ec8ead57dbe | e9737961ba5bc0894f86ec074f6bb3ee5eddbbec | refs/heads/master | 2022-05-04T23:34:05.595187 | 2022-04-13T20:59:33 | 2022-04-13T20:59:33 | 208,331,564 | 0 | 0 | MIT | 2019-09-13T20:07:38 | 2019-09-13T19:20:35 | null | UTF-8 | C++ | false | false | 464 | cpp | /**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
int isSame(TreeNode* A, TreeNode* B)
{
if(!A&&!B)return 1;
if(!A||!B)return 0;
if(A->val!=B->val)return 0;
return (isSame(A->left, B->right)&&isSame(A->right, B->left));
}
int Solution::isSymmetric(TreeNode* A) {
return isSame(A->left, A->right);
}
| [
"noreply@github.com"
] | noreply@github.com |
86fea0e9b5f22d27f173d586c9bb3b547d5ea7ea | 57a460b1083786b497b8cef2e72c9562d1ee8973 | /CPP/Problem9/main.cpp | 8fa55523694c3b5fae8a665bc84677b1a6cc7f83 | [] | no_license | arjun212/ProjectEuler | 2c0666d310667084b613d83007c8a8661c0644ad | 9e4074514d35a870f69c6c11f531a4cb27942318 | refs/heads/master | 2021-01-19T15:00:09.207301 | 2017-06-10T21:50:15 | 2017-06-10T21:50:15 | 33,635,226 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 882 | cpp | #include <iostream>
#include <cmath>
using namespace std;
static int s_clock ;
static void startClock()
{
s_clock = clock() ;
}
static void endClock()
{
int e_clock = clock() ;
cout << "Execution Time is - " << (e_clock-s_clock)/double(CLOCKS_PER_SEC)*1000 << "\n" ;
}
template< typename T >
void returnValue( T returnVal )
{
cout << "\n" ;
cout << "The Answer is : " << returnVal ;
cout << "\n" ;
}
bool isPythagoreanTriplet( int a, int b, int c )
{
return (pow( a, 2 ) + pow( b, 2 )) == pow( c, 2 ) ;
}
int main()
{
startClock() ;
for ( int a = 0 ; a < 1000 ; ++a )
{
for ( int b = a ; b < 1000 ; ++b )
{
int c = 1000 - a - b ;
if ( ( c > a ) && ( c > b ) && ( isPythagoreanTriplet( a, b, c ) ) )
{
returnValue( a * b * c ) ;
endClock() ;
return 0;
}
}
}
return 0;
}
| [
"arjunmuhunthan@gmail.com"
] | arjunmuhunthan@gmail.com |
287904580d9660595e17fe63eac4889d24fc4421 | 7afbb8d8e054a10e84805af8da13289478f69ef4 | /SoundSynthesis/RenderContext.cpp | 249855a94cb61302bb4bf467093ac9282072527e | [] | no_license | Orangeatang/SoundSynthesis | b5cd912cd7f585d8e363b029dd2a2617cde03031 | 11be6488b1f9601a6467ed308eafadc3ddf4dafa | refs/heads/master | 2020-12-30T16:27:31.169154 | 2017-07-07T21:02:01 | 2017-07-07T21:02:01 | 90,985,186 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,859 | cpp |
//////////////////////////////////////////////////////////////////////////
/// Includes
//////////////////////////////////////////////////////////////////////////
#include "stdafx.h"
#include "RenderContext.h"
//////////////////////////////////////////////////////////////////////////
/// CRenderContext
//////////////////////////////////////////////////////////////////////////
CRenderContext::CRenderContext() :
myDevice( nullptr ),
myDeviceContext( nullptr ),
mySwapChain( nullptr ),
myRenderTarget( nullptr ),
myInitialized( false )
{
}
//////////////////////////////////////////////////////////////////////////
CRenderContext::~CRenderContext()
{
if( myInitialized )
{
myRenderTarget->Release();
mySwapChain->Release();
myDeviceContext->Release();
myDevice->Release();
}
}
//////////////////////////////////////////////////////////////////////////
bool CRenderContext::Initialize( HWND aWindowHandle, int aWindowWidth, int aWindowHeight )
{
if( myInitialized )
{
return true;
}
// create a structure to hold information about the swap chain
DXGI_SWAP_CHAIN_DESC swapChainDescription;
ZeroMemory( &swapChainDescription, sizeof(DXGI_SWAP_CHAIN_DESC) );
HRESULT result = S_OK;
// fill in the swap chain structure
swapChainDescription.BufferCount = 2;
swapChainDescription.BufferDesc.Format = DXGI_FORMAT_R8G8B8A8_UNORM;
swapChainDescription.BufferDesc.Width = aWindowWidth;
swapChainDescription.BufferDesc.Height = aWindowHeight;
swapChainDescription.BufferDesc.RefreshRate.Numerator = 60;
swapChainDescription.BufferDesc.RefreshRate.Denominator = 1;
swapChainDescription.BufferUsage = DXGI_USAGE_RENDER_TARGET_OUTPUT;
swapChainDescription.OutputWindow = aWindowHandle;
swapChainDescription.SampleDesc.Count = 8;
swapChainDescription.SampleDesc.Quality = 0;
swapChainDescription.Windowed = TRUE;
swapChainDescription.Flags = DXGI_SWAP_CHAIN_FLAG_ALLOW_MODE_SWITCH;
// create the context
result = D3D11CreateDeviceAndSwapChain(
NULL,
D3D_DRIVER_TYPE_HARDWARE,
NULL,
0,
NULL,
NULL,
D3D11_SDK_VERSION,
&swapChainDescription,
&mySwapChain,
&myDevice,
NULL,
&myDeviceContext
);
// bail out if we are unable to initialize the directx context
if( result != S_OK )
{
return false;
}
// get the address of the back buffer and use that as the render target
ID3D11Texture2D* backBuffer = nullptr;
result = mySwapChain->GetBuffer( 0, __uuidof(ID3D11Texture2D), (LPVOID*)&backBuffer );
if( result != S_OK )
{
return false;
}
// use the back-buffer address to create the render target
result = myDevice->CreateRenderTargetView( backBuffer, NULL, &myRenderTarget );
backBuffer->Release();
if( result != S_OK )
{
return false;
}
// set the render target as the back buffer
myDeviceContext->OMSetRenderTargets( 1, &myRenderTarget, nullptr );
// set the viewport
D3D11_VIEWPORT viewport;
ZeroMemory( &viewport, sizeof(D3D11_VIEWPORT) );
viewport.TopLeftX = 0;
viewport.TopLeftY = 0;
viewport.Width = (FLOAT)aWindowWidth;
viewport.Height = (FLOAT)aWindowHeight;
myDeviceContext->RSSetViewports( 1, &viewport );
myInitialized = true;
return true;
}
//////////////////////////////////////////////////////////////////////////
void CRenderContext::Clear()
{
static const float color[4] = { 0.0f, 0.0f, 0.0f, 1.0f };
myDeviceContext->ClearRenderTargetView( myRenderTarget, color);
mySwapChain->Present(0, 0);
}
//////////////////////////////////////////////////////////////////////////
| [
"capoeiraolly@gmail.com"
] | capoeiraolly@gmail.com |
59e8d1e373ceb23551dda1b5a1206965d62178d0 | 42959cde7fb06d9868bdf57d482d35a9c2d7fa19 | /GEMA2020/Semana 1/B.cpp | 5b22c9136cafcf32ec92faff7d04703ff5168ee8 | [] | no_license | ThiagoVicentini/competitive_programming | bf482199646e828866faf1524d74c70f171fe071 | d41f70e2b7e061de0045d4c9bc7d886ebf1be755 | refs/heads/main | 2023-07-29T16:48:48.955235 | 2021-09-12T05:21:27 | 2021-09-12T05:21:27 | 310,749,247 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 134 | cpp | #include <bits/stdc++.h>
using namespace std;
int main(){
int L, A;
cin >> L >> A;
cout << L*A << endl;
return 0;
}
| [
"thiago-650@usp.br"
] | thiago-650@usp.br |
cd803a6b238087e5944feefdecd77cf12de124f3 | 3cb14bc41977702a77cc52d135795f2b5af6db1d | /RPC/13-2016/a.cpp | 867b23173042af27bd6408739768b8afd8ff8351 | [] | no_license | alvaroiporre/ICPC-TRAINING | c5ed4980006b12a162e6bcce6a00b8e709573352 | 0c54853cedc4f1e1d731d35ae2446fd4f53825b9 | refs/heads/master | 2020-04-28T13:36:08.447867 | 2019-03-14T16:06:44 | 2019-03-14T16:06:44 | 175,310,605 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,231 | cpp | #include<bits/stdc++.h>
using namespace std;
#define F(x,a,b) for(int x=a;x<=b;x++)
#define ll long long
char a[1000][1000];
struct p
{
char num[10][10];
int nu;
}d[12];
int rec[100];
void _c()
{
F(i,0,12)F(j,0,9)F(k,0,9)d[i].num[j][k]='.';
F(i,0,4){d[0].num[0][i]='x';d[0].num[6][i]='x';}F(i,0,6){d[0].num[i][0]='x';d[0].num[i][4]='x';}
F(i,0,6){d[1].num[i][4]='x';}
F(i,0,3){d[2].num[i][4]='x';} F(i,3,6){d[2].num[i][0]='x';}F(i,0,4){d[2].num[0][i]='x';d[2].num[3][i]='x';d[2].num[6][i]='x';}
F(i,0,6)F(j,0,4)d[3].num[i][j]=d[2].num[i][j];F(i,4,5){d[3].num[i][0]='.';d[3].num[i][4]='x';}
F(i,0,6)F(j,0,4)d[4].num[i][j]=d[1].num[i][j];F(i,0,3)d[4].num[i][0]='x';F(i,0,4)d[4].num[3][i]='x';
F(i,0,6)F(j,0,4)d[5].num[i][j]=d[2].num[i][j];F(i,1,2){d[5].num[i][0]='x';d[5].num[i][4]='.';}F(i,4,5){d[5].num[i][0]='.';d[5].num[i][4]='x';}
F(i,0,6)F(j,0,4)d[6].num[i][j]=d[5].num[i][j];F(i,4,5)d[6].num[i][0]='x';
F(i,0,6)F(j,0,4)d[7].num[i][j]=d[1].num[i][j];F(i,0,6)d[7].num[0][i]='x';
F(i,0,6)F(j,0,4)d[8].num[i][j]=d[6].num[i][j];F(i,1,2)d[8].num[i][4]='x';
F(i,0,6)F(j,0,4)d[9].num[i][j]=d[8].num[i][j];F(i,4,5)d[9].num[i][0]='.';
}
int _j(int st,int en)
{
F(k,0,9)
{
int flag=1;
F(l,0,6)
{
F(m,0,4)
{
if (d[k].num[l][m]!=a[l][st+m]){flag=0;break;}
}if (!flag) break;
}
if (flag) return k;
}
return -1;
}
int main()
{
_c();
while (scanf("%s",a[0])!=EOF)
{
F(i,1,6)scanf("%s",a[i]);
int len=strlen(a[0]);// cout<<len<<endl;
ll ans1=0;ll ans=0;
for (int i=0;i<len;i+=6){int key=_j(i,i+4);if (key!=-1)ans1=ans1*10+key;else{ans=ans1;ans1=0;continue;}}
ll t=ans+ans1;int cnt=0;
if (t==0) {F(i,0,6){F(j,0,4)printf("%c",d[0].num[i][j]);printf("\n");}continue;}
while (t)
{
rec[++cnt]=t%10;
t/=10;
}
char str[1000][1000];
F(i,0,7)F(j,0,950) str[i][j]='.';
int stt=0;
for (int k=cnt;k>=1;k--)
{
F(i,0,6)F(j,0,4)
str[i][j+stt]=d[rec[k]].num[i][j];
stt+=6;
}
F(i,0,6){F(j,0,stt-2)printf("%c",str[i][j]);printf("\n");}
}
}
| [
"alvaroiporremartinez@gmail.com"
] | alvaroiporremartinez@gmail.com |
a76b65d192e83a6cdb6aa2dbaef4ed4450e37941 | fcd236a3e48958cd4cb88073678f1c072ceef573 | /UI/ToolWidget/mysystemtrayicon.h | 3f6e65c1c9bc4a5823e3a4fba9a1cccf104f887e | [] | no_license | sunew130/QtMusic | 4a02c6dbdbfeed3989a77f9ffbd9c082754a250a | fd8241be2610168f51f95a1058edccf7cf62f18f | refs/heads/master | 2021-01-21T17:56:49.749417 | 2017-05-22T07:04:59 | 2017-05-22T07:04:59 | 92,000,972 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 694 | h | #ifndef MYSYSTEMTRAYICON_H
#define MYSYSTEMTRAYICON_H
#include <QSystemTrayIcon>
class QMenu;
class MySystemTrayIcon : public QSystemTrayIcon
{
Q_OBJECT
public:
MySystemTrayIcon(QWidget *parent = 0);
public slots:
void setPlayMode(int mode);
signals:
void showWindow();
void setMode(int mode);
void quit();
private slots:
void trayIconClicked(QSystemTrayIcon::ActivationReason reason);
void setModeonemusic();
void setModeonerep();
void setModeturnmusic();
void setModeallrep();
void setModerandmusic();
private:
QMenu *playMode;
};
#endif // MYSYSTEMTRAYICON_H
| [
"sunew130@gmail.com"
] | sunew130@gmail.com |
de5f96f2e0673a85476141ecf1284090ea861bcf | 22f8ce70cc780eda7cb11f93803058831f43c7c5 | /Plugins/EditorCustomize/Source/UE4EditorCustomize/Private/EditorCustomizeSetting.h | d7acb73113efe8af0f167eb111f7c40a38ce0d4c | [] | no_license | VegetableWithChicken/SomeTest | 4d26ebc44fbf8a387bec2ec9677d51485c7c9668 | 8659f9b99ec05f3e235ec9d7839671751c85cbf8 | refs/heads/dev | 2023-03-16T05:40:16.603350 | 2020-11-02T07:04:52 | 2020-11-02T07:04:52 | 508,117,547 | 1 | 0 | null | 2022-06-28T01:42:35 | 2022-06-28T01:42:34 | null | UTF-8 | C++ | false | false | 12,757 | h | // Copyright 2018 Jack Myth. All Rights Reserved.
#pragma once
#include "CoreMinimal.h"
#include "UObject/ObjectMacros.h"
#include "Styling/SlateTypes.h"
#include "EditorCustomizeSetting.generated.h"
USTRUCT()
struct FEditorCustomizeDetailsView
{
GENERATED_USTRUCT_BODY()
UPROPERTY(EditAnywhere,Category="DetailsViewStyle")
FSlateBrush CategoryTop_Hovered;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CategoryTop;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CategoryMiddle_Highlighted;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CategoryMiddle_Hovered;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CategoryMiddle;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CollapsedCategory_Hovered;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CollapsedCategory;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush CategoryBottom;
UPROPERTY(EditAnywhere, Category = "DetailsViewStyle")
FSlateBrush AdvancedDropdownBorder;
};
USTRUCT()
struct FPropertyWindow
{
GENERATED_USTRUCT_BODY()
UPROPERTY(EditAnywhere, Category = "PropertyWindow")
FSlateFontInfo NormalFont;
UPROPERTY(EditAnywhere, Category = "PropertyWindow")
FSlateFontInfo BoldFont;
UPROPERTY(EditAnywhere, Category = "PropertyWindow")
FSlateFontInfo ItalicFont;
};
USTRUCT()
struct FContentBrowserFont
{
GENERATED_USTRUCT_BODY()
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FSlateFontInfo SourceTreeRootItemFont;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FSlateFontInfo SourceTreeItemFont;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FSlateFontInfo AssetTileViewNameFontVerySmall;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FSlateFontInfo AssetTileViewNameFontSmall;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FSlateFontInfo AssetTileViewNameFont;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FTextBlockStyle TopBar_Font;
UPROPERTY(EditAnywhere, Category = "ContentBrowser")
FTextBlockStyle PathText;
};
USTRUCT()
struct FGraphPanelStyle
{
GENERATED_USTRUCT_BODY()
UPROPERTY(EditAnywhere, Category = "GraphPanelStyle")
FLinearColor GridLineColor;
UPROPERTY(EditAnywhere, Category = "GraphPanelStyle")
FLinearColor GridRuleColor;
UPROPERTY(EditAnywhere, Category = "GraphPanelStyle")
FLinearColor GridCenterColor;
};
USTRUCT()
struct FUMGEditorPalette
{
GENERATED_USTRUCT_BODY()
UPROPERTY(EditAnywhere, Category = "UMGEditorPalette", meta = (DisplayName = "UMGEditor.PaletteHeader"))
FTableRowStyle UMGEditor_PaletteHeader;
UPROPERTY(EditAnywhere, Category = "UMGEditorPalette", meta = (DisplayName = "UMGEditor.PaletteItem"))
FTableRowStyle UMGEditor_PaletteItem;
};
USTRUCT()
struct FUE4ECCustomStyle
{
GENERATED_USTRUCT_BODY()
//////////////////////////////////////////////////////////////////////////
////////////////////////Internal use only////////////////////////////////
UPROPERTY(Config)
int CustomStyleCount = 0;
//////////////////////////////////////////////////////////////////////////
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FSlateBrush"))
TMap<FName, FSlateBrush> SlateBrush;
UPROPERTY(EditAnywhere,Category="CustomStyle",meta=(DisplayName="SlateFontInfo"))
TMap<FName, FSlateFontInfo> SlateFontInfo;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FTextBlockStyle"))
TMap<FName, FTextBlockStyle> TextBlockStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FTextBlockStyle"))
TMap<FName, FButtonStyle> ButtonStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FComboButtonStyle"))
TMap<FName, FComboButtonStyle> ComboButtonStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FComboBoxStyle"))
TMap<FName, FComboBoxStyle> ComboBoxStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FEditableTextStyle"))
TMap<FName, FEditableTextStyle> EditableTextStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FScrollBarStyle"))
TMap<FName, FScrollBarStyle> ScrollBarStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FEditableTextBoxStyle"))
TMap<FName, FEditableTextBoxStyle> EditableTextBoxStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FInlineEditableTextBlockStyle"))
TMap<FName, FInlineEditableTextBlockStyle> InlineEditableTextBlockStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FProgressBarStyle"))
TMap<FName, FProgressBarStyle> ProgressBarStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FExpandableAreaStyle"))
TMap<FName, FExpandableAreaStyle> ExpandableAreaStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FSearchBoxStyle"))
TMap<FName, FSearchBoxStyle> SearchBoxStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FSliderStyle"))
TMap<FName, FSliderStyle> SliderStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FVolumeControlStyle"))
TMap<FName, FVolumeControlStyle> VolumeControlStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FInlineTextImageStyle"))
TMap<FName, FInlineTextImageStyle> InlineTextImageStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FSpinBoxStyle"))
TMap<FName, FSpinBoxStyle> SpinBoxStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FSplitterStyle"))
TMap<FName, FSplitterStyle> SplitterStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FTableRowStyle"))
TMap<FName, FTableRowStyle> TableRowStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FTableColumnHeaderStyle"))
TMap<FName, FTableColumnHeaderStyle> TableColumnHeaderStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FHeaderRowStyle"))
TMap<FName, FHeaderRowStyle> HeaderRowStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FDockTabStyle"))
TMap<FName, FDockTabStyle> DockTabStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FScrollBoxStyle"))
TMap<FName, FScrollBoxStyle> ScrollBoxStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FScrollBorderStyle"))
TMap<FName, FScrollBorderStyle> ScrollBorderStyle;
UPROPERTY(EditAnywhere,Category="CustomStyle", meta = (DisplayName = "FWindowStyle"))
TMap<FName, FWindowStyle> WindowStyle;
};
/**
*
*/
UCLASS(config = Editor)
class UEditorCustomizeSetting : public UObject
{
GENERATED_BODY()
public:
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "Editor.UseGrid"))
bool EditorUseGrid;
UPROPERTY(Config,EditAnywhere,Category="Editor Style", meta = (DisplayName = "Graph.Panel.SolidBackground"))
FSlateBrush Grap_Panel_Background;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "Graph.Panel"))
FGraphPanelStyle Graph_Panel;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "ToolPanel.GroupBorder"))
FSlateBrush ToolPanel_GroupBorder;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "ToolPanel.DarkGroupBorder"))
FSlateBrush ToolPanel_DarkGroupBorder;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "SCSEditor.TreePanel"))
FSlateBrush SCSEditor_TreePanel;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "SettingsEditor.CheckoutWarningBorder"))
FSlateBrush SettingsEditor_CheckoutWarningBorder;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "Docking.Tab.ContentAreaBrush"))
FSlateBrush Docking_Tab_ContentAreaBrush;
UPROPERTY(Config,EditAnywhere,Category="Editor Style",meta = (DisplayName="ContentBrowser.TopBar.GroupBorder"))
FSlateBrush ContentBrowser_TopBar_GroupBorder;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "TableView.DarkRow"))
FTableRowStyle TableView_DarkRow;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "DetailsView"))
FEditorCustomizeDetailsView DetailsView;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "PlacementBrowser.Tab"))
FCheckBoxStyle PlacementBrowser_Tab;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "EditorModesToolbar.ToggleButton"))
FCheckBoxStyle EditorModesToolbar_ToggleButton;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "Toolbar.Background"))
FSlateBrush E_Toolbar_Background;
UPROPERTY(Config, EditAnywhere, Category = "Editor Style", meta = (DisplayName = "UMGEditor.Palette"))
FUMGEditorPalette UMGEditor_Palette;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "WindowStyle"))
FWindowStyle WindowStyle;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "Docking.MajorTab"))
FDockTabStyle Docking_MajorTab;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "Docking.Tab"))
FDockTabStyle Docking_Tab;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "TableView.Header"))
FHeaderRowStyle TableView_Header;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "ToolBar.Background"))
FSlateBrush ToolBar_Background;
UPROPERTY(Config, EditAnywhere, Category = "Core Style", meta = (DisplayName = "Menu.Background"))
FSlateBrush Menu_Background;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "NormalText"))
FTextBlockStyle NormalText;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "NormalUnderlinedText"))
FTextBlockStyle NormalUnderlinedText;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "SmallText"))
FTextBlockStyle SmallText;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "SmallUnderlinedText"))
FTextBlockStyle SmallUnderlinedText;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "ToolBar.Label"))
FTextBlockStyle ToolBar_Label;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "Docking.TabFont"))
FTextBlockStyle Docking_TabFont;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "Menu.Label"))
FTextBlockStyle Menu_Label;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "Menu.Heading"))
FTextBlockStyle Menu_Heading;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "PlacementBrowser.Asset.Name"))
FTextBlockStyle PlacementBrowser_Asset_Name;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "PlacementBrowser.Tab.Text"))
FTextBlockStyle PlacementBrowser_Tab_Text;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "PropertyWindow"))
FPropertyWindow PropertyWindow;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "DetailsView.CategoryFontStylet"))
FSlateFontInfo DetailsView_CategoryFontStyle;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "Hyperlink"))
FHyperlinkStyle Hyperlink;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "InlineEditableTextBlockStyle"))
FInlineEditableTextBlockStyle InlineEditableTextBlockStyle;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "SettingsEditor.CatgoryAndSectionFont"))
FSlateFontInfo SettingsEditor_CatgoryAndSectionFont;
UPROPERTY(Config, EditAnywhere, Category = "Text Style", meta = (DisplayName = "ContentBrowser"))
FContentBrowserFont ContentBrowserFont;
UPROPERTY(Config,EditAnywhere, Category="Advanced Custom Style (Experimental)", meta = (DisplayName = "Editor Style"))
FUE4ECCustomStyle CustomStyleEditor;
UPROPERTY(Config, EditAnywhere, Category = "Advanced Custom Style (Experimental)", meta = (DisplayName = "Core Style"))
FUE4ECCustomStyle CustomStyleCore;
UEditorCustomizeSetting();
inline void PostProcessCustomStyle(UScriptStruct* StyleStruct, void* StructPtr);
public:
void InitEditorStyle();
void InitCoreStyle();
void InitTextStyle();
void InitCustomStyle(class FSlateStyleSet* SlateStyleSet,FUE4ECCustomStyle& CustomStyle);
};
| [
"563412673@qq.com"
] | 563412673@qq.com |
be95ab02c0b1e91672a73f39e7121c7779692140 | 23a338119b693b3c9dcf39377e395b6b17d25367 | /LeetCode/47.cpp | 2d46851dcfde440f459693c471bb9735648db7ce | [] | no_license | REO-RAO/coding | 84c2adbd08ffe61b16df335882bad1c57131517e | 9dae0b8a0df6bb9df60e8a8c9a1f963382a03abb | refs/heads/master | 2022-01-12T14:16:24.768842 | 2016-09-03T02:57:09 | 2016-09-03T02:57:09 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,046 | cpp | class Solution {
public:
void dfs(vector<vector<int>>& res, vector<int>& nums, vector<pair<int, int>>& pairs, vector<int>& comb) {
if (comb.size() == nums.size()) {
res.push_back(comb);
}
else {
for (auto it = pairs.begin(); it != pairs.end(); it++) {
if (it->second) {
comb.push_back(it->first);
it->second--;
dfs(res, nums, pairs, comb);
it->second++;
comb.pop_back();
}
}
}
}
vector<vector<int>> permuteUnique(vector<int>& nums) {
vector<vector<int>> res;
if (nums.size() == 0)
return res;
sort(nums.begin(), nums.end());
unordered_map<int, int> map;
for (int i = 0; i < nums.size(); i++) {
if (map.find(nums[i]) != map.end())
map[nums[i]]++;
else
map[nums[i]] = 1;
}
vector<pair<int, int>> pairs;
pairs.push_back({ nums[0], map[nums[0]] });
for (int i = 1; i < nums.size(); i++)
if (nums[i] == nums[i - 1])
continue;
else
pairs.push_back({ nums[i], map[nums[i]] });
vector<int> comb;
dfs(res, nums, pairs, comb);
return res;
}
}; | [
"zhenanlin@outlook.com"
] | zhenanlin@outlook.com |
f883534c1db0720a672085083e6170a11741b709 | 449863266ff8556fa091d570c32a83e10cea1413 | /python/models/models.cpp | c870afa3fc4dc3584d15075719b3bc1cbe316007 | [
"MIT"
] | permissive | heumchri/bark | 6d39ff7026fab1e93d871bed8fca0f7a0dc9ee4b | 867e1e4a289f185bae52d659b99abbf108fe1fd4 | refs/heads/master | 2020-08-28T15:26:54.668993 | 2020-01-06T19:16:06 | 2020-01-06T19:16:06 | 217,739,346 | 0 | 1 | MIT | 2019-10-26T16:45:28 | 2019-10-26T16:45:27 | null | UTF-8 | C++ | false | false | 680 | cpp | // Copyright (c) 2019 fortiss GmbH, Julian Bernhard, Klemens Esterle, Patrick Hart, Tobias Kessler
//
// This work is licensed under the terms of the MIT license.
// For a copy, see <https://opensource.org/licenses/MIT>.
#include "python/models/models.hpp"
#include "python/models/behavior.hpp"
#include "python/models/execution.hpp"
#include "python/models/dynamic.hpp"
void python_models(py::module m) {
python_behavior(m.def_submodule("behavior", "Behavior wrapping"));
python_execution(m.def_submodule("execution", "submodule containing all wrapped execution models"));
python_dynamic(m.def_submodule("dynamic", "submodule containing all wrapped dynamic models"));
}
| [
"patrickhart.1990@gmail.com"
] | patrickhart.1990@gmail.com |
4695a852de7df19b4d10d2ad6c818133034502e7 | b7f3edb5b7c62174bed808079c3b21fb9ea51d52 | /third_party/blink/renderer/core/html/imports/html_import_sheets_test.cc | a5b6b5622d3fa11b6be3c3b24aac6ad00230f7c1 | [
"LGPL-2.0-or-later",
"GPL-1.0-or-later",
"MIT",
"Apache-2.0",
"LicenseRef-scancode-warranty-disclaimer",
"LGPL-2.1-only",
"GPL-2.0-only",
"LGPL-2.0-only",
"BSD-2-Clause",
"LicenseRef-scancode-other-copyleft",
"BSD-3-Clause"
] | permissive | otcshare/chromium-src | 26a7372773b53b236784c51677c566dc0ad839e4 | 64bee65c921db7e78e25d08f1e98da2668b57be5 | refs/heads/webml | 2023-03-21T03:20:15.377034 | 2020-11-16T01:40:14 | 2020-11-16T01:40:14 | 209,262,645 | 18 | 21 | BSD-3-Clause | 2023-03-23T06:20:07 | 2019-09-18T08:52:07 | null | UTF-8 | C++ | false | false | 2,507 | cc | // Copyright 2017 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "testing/gtest/include/gtest/gtest.h"
#include "third_party/blink/renderer/core/dom/document.h"
#include "third_party/blink/renderer/core/html/html_link_element.h"
#include "third_party/blink/renderer/core/testing/sim/sim_request.h"
#include "third_party/blink/renderer/core/testing/sim/sim_test.h"
namespace blink {
class HTMLImportSheetsTest : public SimTest {
protected:
HTMLImportSheetsTest() = default;
void SetUp() override {
SimTest::SetUp();
WebView().MainFrameWidget()->Resize(WebSize(640, 480));
}
};
TEST_F(HTMLImportSheetsTest, NeedsActiveStyleUpdate) {
SimRequest main_resource("https://example.com/", "text/html");
SimSubresourceRequest import_resource("https://example.com/import.html",
"text/html");
LoadURL("https://example.com/");
main_resource.Complete("<link id=link rel=import href=import.html>");
import_resource.Complete("<style>div{}</style>");
EXPECT_TRUE(GetDocument().GetStyleEngine().NeedsActiveStyleUpdate());
Document* import_doc =
To<HTMLLinkElement>(GetDocument().getElementById("link"))->import();
ASSERT_TRUE(import_doc);
EXPECT_TRUE(import_doc->GetStyleEngine().NeedsActiveStyleUpdate());
GetDocument().GetStyleEngine().UpdateActiveStyle();
EXPECT_FALSE(GetDocument().GetStyleEngine().NeedsActiveStyleUpdate());
EXPECT_FALSE(import_doc->GetStyleEngine().NeedsActiveStyleUpdate());
}
TEST_F(HTMLImportSheetsTest, UpdateStyleSheetList) {
SimRequest main_resource("https://example.com/", "text/html");
SimSubresourceRequest import_resource("https://example.com/import.html",
"text/html");
LoadURL("https://example.com/");
main_resource.Complete("<link id=link rel=import href=import.html>");
import_resource.Complete("<style>div{}</style>");
EXPECT_TRUE(GetDocument().GetStyleEngine().NeedsActiveStyleUpdate());
Document* import_doc =
To<HTMLLinkElement>(GetDocument().getElementById("link"))->import();
ASSERT_TRUE(import_doc);
EXPECT_TRUE(import_doc->GetStyleEngine().NeedsActiveStyleUpdate());
import_doc->GetStyleEngine().StyleSheetsForStyleSheetList(*import_doc);
EXPECT_TRUE(GetDocument().GetStyleEngine().NeedsActiveStyleUpdate());
EXPECT_TRUE(import_doc->GetStyleEngine().NeedsActiveStyleUpdate());
}
} // namespace blink
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
52717e90f2f2049daedc76a49b3eaae0fe87351e | e91951749fe400a2890f9d2bcbb90295bd91ca7a | /SSSF_SourceCode/PlatformPlugins/DirectXPlugin/DirectXGraphics.cpp | fab2dd6b9ee9a67c12140fa6e28fe0e10eb794b1 | [] | no_license | IsaacCespedes/Drummer | cd0d8411895733f9fcd1b3d2d69070099f7a56bd | 200749aa33b7a59138eafb1c6a43c7f14104a248 | refs/heads/master | 2021-01-15T22:10:10.969477 | 2017-09-14T04:45:01 | 2017-09-14T04:45:01 | 99,889,285 | 0 | 0 | null | 2017-08-10T06:39:44 | 2017-08-10T06:30:26 | null | UTF-8 | C++ | false | false | 22,273 | cpp | /*
Author: Richard McKenna
Stony Brook University
Computer Science Department
DirectXGraphics.cpp
See DirectXGraphics.h for a class description.
*/
#include "stdafx.h"
#include "SSSF_SourceCode\game\Game.h"
#include "SSSF_SourceCode\graphics\GameGraphics.h"
#include "SSSF_SourceCode\graphics\TextureManager.h"
#include "SSSF_SourceCode\gui\GameGUI.h"
#include "SSSF_SourceCode\gui\Viewport.h"
#include "SSSF_SourceCode\PlatformPlugins\DirectXPlugin\DirectXGraphics.h"
#include "SSSF_SourceCode\PlatformPlugins\DirectXPlugin\DirectXTextureManager.h"
#include "SSSF_SourceCode\text\GameText.h"
/*
DirectXGraphics - Default constructor, it doesn't initialize anything.
To setup all the DirectX objects call initGraphics after construction.
*/
DirectXGraphics::DirectXGraphics(Game *initGame)
{
game = initGame;
}
/*
~DirectXGraphics - Destructor, it destroys all of the DirectX pointers.
This would be called only when the application closes, unless someone
decides to use different rendering technologies during the game.
*/
DirectXGraphics::~DirectXGraphics()
{
displayOptions->clear();
delete drummer;
delete displayOptions;
delete (DirectXTextureManager*)worldTextureManager;
delete (DirectXTextureManager*)guiTextureManager;
delete d3d;
delete graphicsDevice;
delete spriteHandler;
delete textFont;
}
void DirectXGraphics::animate(int l, int r)
{
drummer->SelectAnimation(l, r);
}
/*
containsDisplayMode - This method looks at the vector of display modes that
were presumably retrieved from the GPU, and tests to see if our desired
color format and screen resolution are inside. If found, true is returned,
otherwise false.
*/
bool DirectXGraphics::containsDisplayMode(vector<D3DDISPLAYMODE> *displayModes,
D3DFORMAT testColorFormat,
int testScreenWidth,
int testScreenHeight)
{
vector<D3DDISPLAYMODE>::iterator iterator;
// START WITH THE FIRST ELEMENT
iterator = displayModes->begin();
// LOOK THROUGH THE WHOLE VECTOR
while (iterator != displayModes->end())
{
// GET THE CURRENT MODE
D3DDISPLAYMODE testMode = (*iterator);
// IS IT THE ONE WE'RE LOOKING FOR?
if ((testMode.Format == testColorFormat)
&& (testMode.Width == testScreenWidth)
&& (testMode.Height == testScreenHeight))
return true;
// GO ONTO THE NEXT ONE
iterator++;
}
return false;
}
/*
createDirectXDeviceAndSpriteHandler - THIS METHOD CREATES OUR GPU AND
SPRITE HANDLER (used for batch rendering textures) USING THE COLOR
FORMAT AND SCREEN RESOLUTION OF OUR CHOICE.
*/
HRESULT DirectXGraphics::createDirectXDeviceAndSpriteHandler()
{
HRESULT result;
GameText *text = game->getText();
// CREATE OUR GPU
result = d3d->CreateDevice(D3DADAPTER_DEFAULT,
D3DDEVTYPE_HAL,
presentParameters.hDeviceWindow,
D3DCREATE_HARDWARE_VERTEXPROCESSING,
&presentParameters,
&graphicsDevice);
// IF GPU CREATION WAS SUCCESSFUL
if (SUCCEEDED(result))
{
text->writeDebugOutput("SUCCEEDED");
text->writeDebugOutput("\nD3DXCreateSprite(): ");
// CREATE OUR SPRITE HANDLER
result = D3DXCreateSprite(graphicsDevice, &spriteHandler);
if (SUCCEEDED(result))
{
text->writeDebugOutput("SUCCEEDED");
}
else
text->writeDebugOutput("FAILED");
}
else
text->writeDebugOutput("FAILED");
return result;
}
/*
createTextureManager - This method constructs a technology-specific
TextureManager. Since this DirectXGraphics class uses the DirectX
library, this method creates a DirectXTextureManager.
*/
TextureManager* DirectXGraphics::createTextureManager()
{
TextureManager *textureManager = (TextureManager*)(new DirectXTextureManager());
textureManager->setGraphics(this);
return textureManager;
}
/*
endDirectXFrameRendering - This method should be called after rendering a frame
so that we can display what we've drawn on the GPU onto the monitor. It also
releases a lock on the GPU so other threads may use it.
*/
void DirectXGraphics::endDirectXFrameRendering()
{
// ALL DONE DRAWING ONTO THE GPU FOR THIS FRAME
if (FAILED(graphicsDevice->EndScene()))
game->getText()->writeDebugOutput("\ngraphicsDevice->EndScene(): FAILED");
// PUT WHAT WE JUST RENDERED ONTO THE SCREEN
if (FAILED(graphicsDevice->Present(NULL, NULL, NULL, NULL)))
game->getText()->writeDebugOutput("\ngraphicsDevice->Present(): FAILED");
}
/*
findAlternativeDisplayMode - If the player's GPU doesn't have the
display mode we want this method can pick a new one. It does so
by first seeing if there is another display mode with the resolution
we want but a different color model. If found, we'll use it. If not it
simply picks the largest one it can find. This method uses call-by-reference
to set the formatToSet, screenWidthToSet, & screenHeightToSet parameters
using the chosen display mode parameters.
*/
void DirectXGraphics::findAlternativeDisplayMode( vector<D3DDISPLAYMODE> *displayModes,
D3DFORMAT &formatToSet)
{
// FIRST FIND ONE WITH THE PREFERRED SCREEN
// DIMENSIONS, DEFAULT_SCREEN_HEIGHT &
// DEFAULT_SCREEN_WIDTH, SINCE CHANGING A GUI TO
// FIT DIFFERENT RESOLUTIONS IS PAINFUL
bool defaultScreenSizeFound = false;
vector<D3DDISPLAYMODE>::iterator iterator;
iterator = displayModes->begin();
while (iterator != displayModes->end())
{
D3DDISPLAYMODE testMode = (*iterator);
if ((testMode.Width == screenWidth)
&& (testMode.Height == screenHeight))
{
if (testMode.Format == DEFAULT_COLOR_FORMAT)
{
formatToSet = DEFAULT_COLOR_FORMAT;
return;
}
else
{
defaultScreenSizeFound = true;
formatToSet = testMode.Format;
}
}
iterator++;
}
if (defaultScreenSizeFound)
return;
// NONE WERE FOUND IN THE SCREEN SIZE WE WANT, SO
// NOW JUST FIND THE LARGEST RESOLUTION AVAILABLE
int totalPixels = 0;
int maxPixels = 0;
iterator = displayModes->begin();
while (iterator != displayModes->end())
{
D3DDISPLAYMODE testMode = (*iterator);
totalPixels = testMode.Width * testMode.Height;
if (totalPixels > maxPixels)
{
formatToSet = testMode.Format;
screenWidth = testMode.Width;
screenHeight = testMode.Height;
maxPixels = totalPixels;
}
iterator++;
}
}
/*
getDirectXDisplayModes - This method queries the GPU and gets a vector
of all the display modes available, returning this data structure.
*/
void DirectXGraphics::getDirectXDisplayModes()
{
// WE'LL FILL THIS WITH THE DISPLAY MODES WE FIND
displayOptions = new vector<D3DDISPLAYMODE>();
// WE'LL LOOK AT EACH COLOR MODEL, STARTING WITH ONE AT INDEX 1, IF THERE IS ONE
int adapterCounter = 1;
D3DFORMAT format;
while (adapterCounter < 1000)
{
format = D3DFORMAT(adapterCounter);
// HOW MANY MODES HAVE THIS COLOR MODEL?
int numAdapters = d3d->GetAdapterModeCount(
D3DADAPTER_DEFAULT,
format);
// GET ALL FOR THIS COLOR MODEL
displayModes = new D3DDISPLAYMODE[numAdapters];
for (int i = 0; i < numAdapters; i++)
{
d3d->EnumAdapterModes( D3DADAPTER_DEFAULT,
format,
i,
&displayModes[i]);
// PUT THEM INTO OUR VECTOR
displayOptions->push_back(displayModes[i]);
}
delete [] displayModes;
adapterCounter++;
}
}
/*
getScreenHeight - This method gets the screen height being used for rendering.
*/
int DirectXGraphics::getScreenHeight()
{
// ASK THE GRAPHICS CARD
/* LPDIRECT3DSURFACE9 backbuffer;
graphicsDevice->GetBackBuffer(0, 0, D3DBACKBUFFER_TYPE_MONO, &backbuffer);
D3DSURFACE_DESC surfaceDescription;
backbuffer->GetDesc(&surfaceDescription);
return surfaceDescription.Height;
*/
return screenHeight;
}
/*
getScreenWidth - This method gets the screen width being used for rendering.
*/
int DirectXGraphics::getScreenWidth()
{
// ASK THE GRAPHICS CARD
/* LPDIRECT3DSURFACE9 backbuffer;
graphicsDevice->GetBackBuffer(0, 0, D3DBACKBUFFER_TYPE_MONO, &backbuffer);
D3DSURFACE_DESC surfaceDescription;
backbuffer->GetDesc(&surfaceDescription);
return surfaceDescription.Width;
*/
return screenWidth;
}
/*
init - This is the entry point for the application setting up the
DirectX objects. It will get all available display modes and pick one,
then use it to make a GPU device. Once this method is called, rendering
can begin. It only needs to be called once at the start of the application.
Even if we lose the graphics card (ALT-TAB), we don't have to re-init. We
would have to re-init if we wished to change from fullscreen mode to
windowed mode, or if we want to change the screen resolution or color model.
*/
void DirectXGraphics::initGraphics( HWND hWnd, bool isFullscreen)
{
d3d = Direct3DCreate9(D3D_SDK_VERSION);
// WHAT ARE THE CAPABILITIES OF THE PLAYER'S GPU?
getDirectXDisplayModes();
// THESE WILL MAKE UP OUR DESIRED DISPLAY MODE
D3DFORMAT formatToUse;
// DOES THE PLAYER HAVE OUR DESIRED FORMAT?
if (containsDisplayMode(displayOptions,
DEFAULT_COLOR_FORMAT,
screenWidth,
screenHeight))
{
// THE GPU HAS OUR DESIRED FORMAT
formatToUse = DEFAULT_COLOR_FORMAT;
}
else
{
// THE GPU DOESN'T HAVE OUR DESIRED FORMAT, WE NEED TO PICK ANOTHER ONE
findAlternativeDisplayMode( displayOptions,
formatToUse);
}
// WE NEED TO FILL OUT A D3DPRESENT_PARAMETERS STRUCTURE WITH OUR
// PREFERENCES FOR CREATING OUR GPU DEVICE
// FIRST MAKE SURE OUR STRUCTURE IS EMPTY
ZeroMemory(&presentParameters, sizeof(presentParameters));
// WINDOWED MODE OR FULLSCREEN?
presentParameters.Windowed = !isFullscreen;
// DISCARD OLD FRAMES
presentParameters.SwapEffect = D3DSWAPEFFECT_FLIP;// D3DSWAPEFFECT_DISCARD;
// THE WINDOW HANDLE
presentParameters.hDeviceWindow = hWnd;
// THE DISPLAY MODE WE WILL BE USING
presentParameters.BackBufferFormat = formatToUse;
presentParameters.BackBufferWidth = screenWidth;
presentParameters.BackBufferHeight = screenHeight;
presentParameters.EnableAutoDepthStencil = TRUE; // automatically run the z-buffer for us
presentParameters.AutoDepthStencilFormat = D3DFMT_D16; // 16-bit pixel format for the z-buffer
// OK, NOW WE CAN MAKE OUR GPU & SPRITE HANDLER.
createDirectXDeviceAndSpriteHandler();
drummer = new SkinnedMesh(graphicsDevice);
drummer->Load(L"mesh/drummer.x");
graphicsDevice->SetRenderState(D3DRS_LIGHTING, TRUE); // turn off the 3D lighting
graphicsDevice->SetRenderState(D3DRS_AMBIENT, D3DCOLOR_XRGB(50, 50, 50)); // ambient light
graphicsDevice->SetRenderState(D3DRS_ZENABLE, TRUE);
D3DLIGHT9 light; // create the light struct
D3DMATERIAL9 material; // create the material struct
ZeroMemory(&light, sizeof(light)); // clear out the light struct for use
light.Type = D3DLIGHT_DIRECTIONAL; // make the light type 'directional light'
light.Diffuse = D3DXCOLOR(0.5f, 0.5f, 0.5f, 1.0f); // set the light's color
light.Direction = D3DXVECTOR3(-1.0f, -0.3f, -1.0f);
graphicsDevice->SetLight(0, &light); // send the light struct properties to light #0
graphicsDevice->LightEnable(0, TRUE); // turn on light #0
ZeroMemory(&material, sizeof(D3DMATERIAL9)); // clear out the struct for use
material.Diffuse = D3DXCOLOR(1.0f, 1.0f, 1.0f, 1.0f); // set diffuse color to white
material.Ambient = D3DXCOLOR(1.0f, 1.0f, 1.0f, 1.0f); // set ambient color to white
graphicsDevice->SetMaterial(&material); // set the globably-used material to &material
D3DXLoadMeshFromX(
L"mesh/drums.x",
D3DXMESH_MANAGED,
graphicsDevice,
0,
0,
0,
0,
&mesh);
}
/*
initTextFont - This method will initialize our font object, which
we need to do all text rendering. It only needs to be done at the
start of the application unless we want to change the font we
are using.
*/
void DirectXGraphics::initTextFont(int fontSize)
{
HRESULT result = D3DXCreateFont(
graphicsDevice, // OUR GPU
fontSize, // EG FONT SIZE FOR HEIGHT
0, // 0 FOR FONT WIDTH, USE DEFAULT ADJUST BASED ON HEIGHT
FW_BOLD, // FONT WEIGHT
0, // MIP LEVELS
FALSE, // ITALICIZED?
DEFAULT_CHARSET, // CHARACTER SET
OUT_DEFAULT_PRECIS, // RENDERING PRECISION
DEFAULT_QUALITY, // RENDERING QUALITY
DEFAULT_PITCH | FF_MODERN, // FONT FAMILY NAME
TEXT(""), // FONT FACE NAME
&textFont ); // THE FONT WE ARE CREATING
}
/*
reloadGraphics - This method recreates the GPU and sprite handler and
then reloads all the textures in the current texture managers. This would
be called after regaining the GPU.
*/
void DirectXGraphics::reloadGraphics()
{
createDirectXDeviceAndSpriteHandler();
initTextFont(20);
guiTextureManager->reloadAllTextures();
worldTextureManager->reloadAllTextures();
}
/*
renderDirectXRenderList - This method renders a render list of game
elements to the screen. It can process render lists for the game
world or the gui. Note that GUI render lists use screen coordinates
and so don't have to be offset, but game world lists use world
coordinates, and so they will need to be offset.
*/
void DirectXGraphics::renderGUIRenderList()
{
guiRenderList->resetIterator();
RenderItem itemToRender;
LPDIRECT3DTEXTURE9 texture;
RECT *rect = NULL;
// GO THROUGH EACH ITEM IN THE LIST
while (guiRenderList->hasNext())
{
if (rect != NULL)
delete rect;
rect = NULL;
itemToRender = guiRenderList->next();
// LET'S GET THE TEXTURE WE WANT TO RENDER
int id = itemToRender.id;
texture = ((DirectXTextureManager*)guiTextureManager)->getTexture(id);
D3DXVECTOR3 position = D3DXVECTOR3( (FLOAT)(itemToRender.x),
(FLOAT)(itemToRender.y),
0);
// RENDER THE OPAQUE ITEMS
if (itemToRender.a == 255)
{
if (FAILED(spriteHandler->Draw(
texture,
rect,
NULL,
&position,
DEFAULT_ALPHA_COLOR)))
{
game->getText()->writeDebugOutput("\nspriteHandler->Draw: FAILED");
}
}
// RENDER THE ITEMS WITH EG TRANSPARENCY
else
{
if (itemToRender.a < 0)
itemToRender.a = 0;
else if (itemToRender.a > 255)
itemToRender.a = 255;
if (FAILED(spriteHandler->Draw(
texture,
rect,
NULL,
&position,
D3DCOLOR_ARGB(itemToRender.a, 255, 255, 255))))
{
game->getText()->writeDebugOutput("\nspriteHandler->Draw: FAILED");
}
}
}
// NOW EMPTY THE LIST, WE'RE ALL DONE WITH IT
guiRenderList->clear();
if (rect != NULL)
delete rect;
}
void DirectXGraphics::renderWorldRenderList()
{
worldRenderList->resetIterator();
RenderItem itemToRender;
LPDIRECT3DTEXTURE9 texture;
RECT *rect = NULL;
GameGUI *gui = game->getGUI();
Viewport *viewport = gui->getViewport();
int counter = 0;
// GO THROUGH EACH ITEM IN THE LIST
while (worldRenderList->hasNext())
{
if (counter != 204)
counter++;
if (rect != NULL)
delete rect;
rect = NULL;
itemToRender = worldRenderList->next();
// if (itemToRender != NULL)
{
// LET'S GET THE TEXTURE WE WANT TO RENDER
int id = itemToRender.id;
texture = ((DirectXTextureManager*)worldTextureManager)->getTexture(id);
D3DXVECTOR3 position = D3DXVECTOR3( (FLOAT)(itemToRender.x),
(FLOAT)(itemToRender.y),
0);
// IF IT'S IN THE GAME WORLD IT NEEDS TO BE OFFSET
// if (needsToBeOffset)
{
position.x += viewport->getViewportOffsetX();
position.y += viewport->getViewportOffsetY();
// ADJUST FOR THE GUI OFFSET
if ((position.x < viewport->getViewportOffsetX())
|| (position.y < viewport->getViewportOffsetY()))
{
IDirect3DSurface9 *surface;
UINT level = 0;
HRESULT result = texture->GetSurfaceLevel(level, &surface);
D3DSURFACE_DESC surfaceDescription;
surface->GetDesc(&surfaceDescription);
rect = new RECT();
rect->left = 0;
rect->top = 0;
rect->right = surfaceDescription.Width;
rect->bottom = surfaceDescription.Height;
if (position.x < viewport->getViewportOffsetX())
{
int xDiff = viewport->getViewportOffsetX() - (int)position.x;
rect->left = xDiff;
position.x += xDiff;
}
if (position.y < viewport->getViewportOffsetY())
{
int yDiff = viewport->getViewportOffsetY() - (int)position.y;
rect->top = yDiff;
position.y += yDiff;
}
}
}
// RENDER THE OPAQUE ITEMS
if (itemToRender.a == 255)
{
if (FAILED(spriteHandler->Draw(
texture,
rect,
NULL,
&position,
DEFAULT_ALPHA_COLOR)))
{
game->getText()->writeDebugOutput("\nspriteHandler->Draw: FAILED");
}
}
// RENDER THE ITEMS WITH CUSTOM TRANSPARENCY
else
{
if (itemToRender.a < 0)
itemToRender.a = 0;
else if (itemToRender.a > 255)
itemToRender.a = 255;
if (FAILED(spriteHandler->Draw(
texture,
rect,
NULL,
&position,
D3DCOLOR_ARGB(itemToRender.a, 255, 255, 255))))
{
game->getText()->writeDebugOutput("\nspriteHandler->Draw: FAILED");
}
}
}
}
// NOW EMPTY THE LIST, WE'RE ALL DONE WITH IT
worldRenderList->clear();
if (rect != NULL)
delete rect;
}
void DirectXGraphics::renderGame(Game *game)
{
GameStateManager *gsm = game->getGSM();
World *world = gsm->getWorld();
GameText *text = game->getText();
// CHECK TO SEE IF WE STILL HAVE THE GPU
HRESULT result = graphicsDevice->TestCooperativeLevel();
// IF WE HAVE THE GPU, RENDER THE GAME
if (SUCCEEDED(result))
{
// NOW PREPARE TO RENDER THE LISTS USING
// BATCH TEXTURE RENDERING
startDirectXFrameRendering();
static float currentFrame = 0;
currentFrame++;
if(currentFrame > 10)
currentFrame = 0;
D3DXMATRIX matView; // the view transform matrix
D3DXMatrixLookAtLH(&matView,
&D3DXVECTOR3 (0, 0, 30), // the camera position
&D3DXVECTOR3 (0, 0, 0), // the look-at position
&D3DXVECTOR3 (0, 1, 0)); // the up direction
graphicsDevice->SetTransform(D3DTS_VIEW, &matView); // set the view transform to matView
D3DXMATRIX matProjection; // the projection transform matrix
D3DXMatrixPerspectiveFovLH(&matProjection,
D3DXToRadian(45), // the horizontal field of view
(FLOAT)1024/ (FLOAT)768, // aspect ratio
0.1f, // the near view-plane
100.0f); // the far view-plane
graphicsDevice->SetTransform(D3DTS_PROJECTION, &matProjection);
D3DXMATRIX matRotateY; // a matrix to store the rotation for each triangle
D3DXMatrixRotationY(&matRotateY, D3DX_PI); // the front side // tell Direct3D about each world transform, and then draw another triangle
//graphicsDevice->SetTransform(D3DTS_WORLD, &matRotateY );
D3DXMATRIX matTranslate; // a matrix to store the translation information
// build a matrix to move the model 12 units along the x-axis and 4 units along the y-axis
// store it to matTranslate
D3DXMatrixTranslation(&matTranslate, 2.0f, -5.0f, 0.0f);
// tell Direct3D about our matrix
graphicsDevice->SetTransform(D3DTS_WORLD, &(matRotateY *matTranslate));
D3DXMATRIX identity;
D3DXMatrixIdentity(&identity);
drummer->SetPose(identity, currentFrame/300);
for(int i = 0; i < 8; i++)
mesh->DrawSubset(i);
drummer->Render((matRotateY *matTranslate));
spriteHandler->Begin(D3DXSPRITE_ALPHABLEND);
// RENDER THE WORLD RENDER LIST
renderWorldRenderList();
// RENDER THE GUI RENDER LIST
renderGUIRenderList();
// RENDER THE TEXT
renderText(text);
// WRAP UP RENDERING RESOURCES
if (FAILED(spriteHandler->End()))
{
text->writeDebugOutput("\nspriteHandler->End(): FAILED");
}
endDirectXFrameRendering();
}
// WE'VE LOST THE GPU, SLEEP UNTIL WE GET IT BACK
else if (result == D3DERR_DEVICELOST)
{
spriteHandler->OnLostDevice();
textFont->OnLostDevice();
Sleep(100);
}
// WE'VE GOT IT BACK, RELOAD EVERYTHING. NOTE THAT
// WE'LL ONLY GET THIS MESSAGE ONCE.
else if (result == D3DERR_DEVICENOTRESET)
{
if (FAILED(graphicsDevice->Reset(&presentParameters)))
{
game->getText()->writeDebugOutput("\ngraphicsDevice->Reset: FAILED - Reloading GPU images");
game->reloadAllDevices();
}
else
{
spriteHandler->OnResetDevice();
textFont->OnResetDevice();
}
}
}
/*
renderTextToDraw - This method renders a single piece of
text to the screen using our EG font.
*/
void DirectXGraphics::renderTextToDraw(TextToDraw textToDraw)
{
textRect.left = textToDraw.x;
textRect.right = textToDraw.x + textToDraw.width;
textRect.top = textToDraw.y;
textRect.bottom = textToDraw.y + textToDraw.height;
LPCWSTR lpcwstrText = (*textToDraw.getText()).c_str();
if (FAILED(textFont->DrawText (
spriteHandler,
lpcwstrText,
-1,
&textRect,
DT_LEFT,
fontColor )))
game->getText()->writeDebugOutput("\ntextFont->DrawText: FAILED");
}
/*
setColorKey - This sets the color key to be used for loading images.
*/
void DirectXGraphics::setColorKey(int r, int g, int b)
{
colorKey = D3DCOLOR_XRGB(r, g, b);
}
/*
setFontColor - This sets the color to be used for rendering text.
*/
void DirectXGraphics::setFontColor(int r, int g, int b)
{
fontColor = D3DCOLOR_XRGB(r, g, b);
}
/*
shutdownGraphics - This method releases the DirectX objects we've created
so that other applications can use the GPU. This should only be called
when the application is closing.
*/
void DirectXGraphics::shutdown()
{
if(mesh)
mesh->Release();
if (textFont)
{
textFont->Release();
textFont = NULL;
}
if (spriteHandler)
{
spriteHandler->Release();
spriteHandler = NULL;
}
if (graphicsDevice)
{
graphicsDevice->Release();
graphicsDevice = NULL;
}
if (d3d)
{
d3d->Release();
d3d = NULL;
}}
/*
startDirectXFrameRendering - This does some setup for rendering, like locking
the GPU. Only one thread at a time can have a lock on the GPU.
*/
void DirectXGraphics::startDirectXFrameRendering()
{
// CLEAR OUT ALL THE OLD RENDERING
if (FAILED(graphicsDevice->Clear(0, NULL, D3DCLEAR_TARGET, BACKGROUND_COLOR, 1.0f, 0)))
game->getText()->writeDebugOutput("\ngraphicsDevice->Clear(): FAILED");
graphicsDevice->Clear(0, NULL, D3DCLEAR_ZBUFFER, D3DCOLOR_XRGB(0, 0, 0), 1.0f, 0);
// ALLOWS DRAWING TO START, LOCKING THE GPU
if (FAILED(graphicsDevice->BeginScene()))
game->getText()->writeDebugOutput("\ngraphicsDevice->BeginScene(): FAILED");
}
| [
"isaac.cespedes1@gmail.com"
] | isaac.cespedes1@gmail.com |
d5bd404c23601bb0a5c2acbc8c547a1dc6eeeb2f | 1942a0d16bd48962e72aa21fad8d034fa9521a6c | /aws-cpp-sdk-codebuild/include/aws/codebuild/model/UpdateProjectRequest.h | 7097d77bb402cf9e3eef51ee4860b7d15140077b | [
"Apache-2.0",
"JSON",
"MIT"
] | permissive | yecol/aws-sdk-cpp | 1aff09a21cfe618e272c2c06d358cfa0fb07cecf | 0b1ea31e593d23b5db49ee39d0a11e5b98ab991e | refs/heads/master | 2021-01-20T02:53:53.557861 | 2018-02-11T11:14:58 | 2018-02-11T11:14:58 | 83,822,910 | 0 | 1 | null | 2017-03-03T17:17:00 | 2017-03-03T17:17:00 | null | UTF-8 | C++ | false | false | 16,690 | h | /*
* Copyright 2010-2016 Amazon.com, Inc. or its affiliates. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License").
* You may not use this file except in compliance with the License.
* A copy of the License is located at
*
* http://aws.amazon.com/apache2.0
*
* or in the "license" file accompanying this file. This file is distributed
* on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
* express or implied. See the License for the specific language governing
* permissions and limitations under the License.
*/
#pragma once
#include <aws/codebuild/CodeBuild_EXPORTS.h>
#include <aws/codebuild/CodeBuildRequest.h>
#include <aws/core/utils/memory/stl/AWSString.h>
#include <aws/codebuild/model/ProjectSource.h>
#include <aws/codebuild/model/ProjectArtifacts.h>
#include <aws/codebuild/model/ProjectEnvironment.h>
#include <aws/core/utils/memory/stl/AWSVector.h>
#include <aws/codebuild/model/Tag.h>
namespace Aws
{
namespace CodeBuild
{
namespace Model
{
/**
*/
class AWS_CODEBUILD_API UpdateProjectRequest : public CodeBuildRequest
{
public:
UpdateProjectRequest();
Aws::String SerializePayload() const override;
Aws::Http::HeaderValueCollection GetRequestSpecificHeaders() const override;
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline const Aws::String& GetName() const{ return m_name; }
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline void SetName(const Aws::String& value) { m_nameHasBeenSet = true; m_name = value; }
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline void SetName(Aws::String&& value) { m_nameHasBeenSet = true; m_name = value; }
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline void SetName(const char* value) { m_nameHasBeenSet = true; m_name.assign(value); }
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline UpdateProjectRequest& WithName(const Aws::String& value) { SetName(value); return *this;}
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline UpdateProjectRequest& WithName(Aws::String&& value) { SetName(value); return *this;}
/**
* <p>The name of the build project.</p> <note> <p>You cannot change a build
* project's name.</p> </note>
*/
inline UpdateProjectRequest& WithName(const char* value) { SetName(value); return *this;}
/**
* <p>A new or replacement description of the build project.</p>
*/
inline const Aws::String& GetDescription() const{ return m_description; }
/**
* <p>A new or replacement description of the build project.</p>
*/
inline void SetDescription(const Aws::String& value) { m_descriptionHasBeenSet = true; m_description = value; }
/**
* <p>A new or replacement description of the build project.</p>
*/
inline void SetDescription(Aws::String&& value) { m_descriptionHasBeenSet = true; m_description = value; }
/**
* <p>A new or replacement description of the build project.</p>
*/
inline void SetDescription(const char* value) { m_descriptionHasBeenSet = true; m_description.assign(value); }
/**
* <p>A new or replacement description of the build project.</p>
*/
inline UpdateProjectRequest& WithDescription(const Aws::String& value) { SetDescription(value); return *this;}
/**
* <p>A new or replacement description of the build project.</p>
*/
inline UpdateProjectRequest& WithDescription(Aws::String&& value) { SetDescription(value); return *this;}
/**
* <p>A new or replacement description of the build project.</p>
*/
inline UpdateProjectRequest& WithDescription(const char* value) { SetDescription(value); return *this;}
/**
* <p>Information to be changed about the build input source code for the build
* project.</p>
*/
inline const ProjectSource& GetSource() const{ return m_source; }
/**
* <p>Information to be changed about the build input source code for the build
* project.</p>
*/
inline void SetSource(const ProjectSource& value) { m_sourceHasBeenSet = true; m_source = value; }
/**
* <p>Information to be changed about the build input source code for the build
* project.</p>
*/
inline void SetSource(ProjectSource&& value) { m_sourceHasBeenSet = true; m_source = value; }
/**
* <p>Information to be changed about the build input source code for the build
* project.</p>
*/
inline UpdateProjectRequest& WithSource(const ProjectSource& value) { SetSource(value); return *this;}
/**
* <p>Information to be changed about the build input source code for the build
* project.</p>
*/
inline UpdateProjectRequest& WithSource(ProjectSource&& value) { SetSource(value); return *this;}
/**
* <p>Information to be changed about the build output artifacts for the build
* project.</p>
*/
inline const ProjectArtifacts& GetArtifacts() const{ return m_artifacts; }
/**
* <p>Information to be changed about the build output artifacts for the build
* project.</p>
*/
inline void SetArtifacts(const ProjectArtifacts& value) { m_artifactsHasBeenSet = true; m_artifacts = value; }
/**
* <p>Information to be changed about the build output artifacts for the build
* project.</p>
*/
inline void SetArtifacts(ProjectArtifacts&& value) { m_artifactsHasBeenSet = true; m_artifacts = value; }
/**
* <p>Information to be changed about the build output artifacts for the build
* project.</p>
*/
inline UpdateProjectRequest& WithArtifacts(const ProjectArtifacts& value) { SetArtifacts(value); return *this;}
/**
* <p>Information to be changed about the build output artifacts for the build
* project.</p>
*/
inline UpdateProjectRequest& WithArtifacts(ProjectArtifacts&& value) { SetArtifacts(value); return *this;}
/**
* <p>Information to be changed about the build environment for the build
* project.</p>
*/
inline const ProjectEnvironment& GetEnvironment() const{ return m_environment; }
/**
* <p>Information to be changed about the build environment for the build
* project.</p>
*/
inline void SetEnvironment(const ProjectEnvironment& value) { m_environmentHasBeenSet = true; m_environment = value; }
/**
* <p>Information to be changed about the build environment for the build
* project.</p>
*/
inline void SetEnvironment(ProjectEnvironment&& value) { m_environmentHasBeenSet = true; m_environment = value; }
/**
* <p>Information to be changed about the build environment for the build
* project.</p>
*/
inline UpdateProjectRequest& WithEnvironment(const ProjectEnvironment& value) { SetEnvironment(value); return *this;}
/**
* <p>Information to be changed about the build environment for the build
* project.</p>
*/
inline UpdateProjectRequest& WithEnvironment(ProjectEnvironment&& value) { SetEnvironment(value); return *this;}
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline const Aws::String& GetServiceRole() const{ return m_serviceRole; }
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline void SetServiceRole(const Aws::String& value) { m_serviceRoleHasBeenSet = true; m_serviceRole = value; }
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline void SetServiceRole(Aws::String&& value) { m_serviceRoleHasBeenSet = true; m_serviceRole = value; }
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline void SetServiceRole(const char* value) { m_serviceRoleHasBeenSet = true; m_serviceRole.assign(value); }
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline UpdateProjectRequest& WithServiceRole(const Aws::String& value) { SetServiceRole(value); return *this;}
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline UpdateProjectRequest& WithServiceRole(Aws::String&& value) { SetServiceRole(value); return *this;}
/**
* <p>The replacement ARN of the AWS Identity and Access Management (IAM) role that
* enables AWS CodeBuild to interact with dependent AWS services on behalf of the
* AWS account.</p>
*/
inline UpdateProjectRequest& WithServiceRole(const char* value) { SetServiceRole(value); return *this;}
/**
* <p>The replacement value in minutes, from 5 to 480 (8 hours), for AWS CodeBuild
* to wait before timing out any related build that did not get marked as
* completed.</p>
*/
inline int GetTimeoutInMinutes() const{ return m_timeoutInMinutes; }
/**
* <p>The replacement value in minutes, from 5 to 480 (8 hours), for AWS CodeBuild
* to wait before timing out any related build that did not get marked as
* completed.</p>
*/
inline void SetTimeoutInMinutes(int value) { m_timeoutInMinutesHasBeenSet = true; m_timeoutInMinutes = value; }
/**
* <p>The replacement value in minutes, from 5 to 480 (8 hours), for AWS CodeBuild
* to wait before timing out any related build that did not get marked as
* completed.</p>
*/
inline UpdateProjectRequest& WithTimeoutInMinutes(int value) { SetTimeoutInMinutes(value); return *this;}
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline const Aws::String& GetEncryptionKey() const{ return m_encryptionKey; }
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline void SetEncryptionKey(const Aws::String& value) { m_encryptionKeyHasBeenSet = true; m_encryptionKey = value; }
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline void SetEncryptionKey(Aws::String&& value) { m_encryptionKeyHasBeenSet = true; m_encryptionKey = value; }
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline void SetEncryptionKey(const char* value) { m_encryptionKeyHasBeenSet = true; m_encryptionKey.assign(value); }
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline UpdateProjectRequest& WithEncryptionKey(const Aws::String& value) { SetEncryptionKey(value); return *this;}
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline UpdateProjectRequest& WithEncryptionKey(Aws::String&& value) { SetEncryptionKey(value); return *this;}
/**
* <p>The replacement AWS Key Management Service (AWS KMS) customer master key
* (CMK) to be used for encrypting the build output artifacts.</p> <p>You can
* specify either the CMK's Amazon Resource Name (ARN) or, if available, the CMK's
* alias (using the format <code>alias/<i>alias-name</i> </code>).</p>
*/
inline UpdateProjectRequest& WithEncryptionKey(const char* value) { SetEncryptionKey(value); return *this;}
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline const Aws::Vector<Tag>& GetTags() const{ return m_tags; }
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline void SetTags(const Aws::Vector<Tag>& value) { m_tagsHasBeenSet = true; m_tags = value; }
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline void SetTags(Aws::Vector<Tag>&& value) { m_tagsHasBeenSet = true; m_tags = value; }
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline UpdateProjectRequest& WithTags(const Aws::Vector<Tag>& value) { SetTags(value); return *this;}
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline UpdateProjectRequest& WithTags(Aws::Vector<Tag>&& value) { SetTags(value); return *this;}
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline UpdateProjectRequest& AddTags(const Tag& value) { m_tagsHasBeenSet = true; m_tags.push_back(value); return *this; }
/**
* <p>The replacement set of tags for this build project.</p> <p>These tags are
* available for use by AWS services that support AWS CodeBuild build project
* tags.</p>
*/
inline UpdateProjectRequest& AddTags(Tag&& value) { m_tagsHasBeenSet = true; m_tags.push_back(value); return *this; }
private:
Aws::String m_name;
bool m_nameHasBeenSet;
Aws::String m_description;
bool m_descriptionHasBeenSet;
ProjectSource m_source;
bool m_sourceHasBeenSet;
ProjectArtifacts m_artifacts;
bool m_artifactsHasBeenSet;
ProjectEnvironment m_environment;
bool m_environmentHasBeenSet;
Aws::String m_serviceRole;
bool m_serviceRoleHasBeenSet;
int m_timeoutInMinutes;
bool m_timeoutInMinutesHasBeenSet;
Aws::String m_encryptionKey;
bool m_encryptionKeyHasBeenSet;
Aws::Vector<Tag> m_tags;
bool m_tagsHasBeenSet;
};
} // namespace Model
} // namespace CodeBuild
} // namespace Aws
| [
"henso@amazon.com"
] | henso@amazon.com |
464ea273492bd13c95ff61eddce6bdbdfd5fd70a | 3ceedfc72558355d099ae787e02c76e798b2a2a9 | /cpp/glue.hpp | b8460ebebaae2053a6435d90ea5bed40ad248ba1 | [] | no_license | Dreae/sm-ext-discord | b997c413b7837d9084ed528eae9070554c8f491f | 21b819eeeaf34646d87220250c7b0756024965dc | refs/heads/master | 2020-03-10T16:08:00.722776 | 2018-09-22T01:51:31 | 2018-09-22T01:51:46 | 129,466,310 | 6 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 394 | hpp | #include "Extension.hpp"
#include "include/rust.h"
extern "C" void call_message_callback(DiscordUser *author, DiscordMessage *msg);
extern "C" void call_ready_callback(DiscordReady *ready);
extern "C" void call_user_callback(DiscordUser *user, IPluginFunction *callback, IdentityToken_t *plugin, i32_t data);
extern "C" void log_error(char *msg);
extern "C" void log_message(char *msg); | [
"dreae@dreae.onl"
] | dreae@dreae.onl |
80b95fa6ef16fcc3b9aea504784cfb1b7f4e80ef | 8b64d3dff8358825f9e9c59c4a2d4aa9d60eabac | /lib/ObjectYAML/CodeViewYAMLDebugSections.cpp | d194420d5ef46bdcdb7594b913254e8e8bf8254e | [
"NCSA"
] | permissive | kavon/ghc-llvm | 43e4c76c9e89b57204b34f7d27e20db0dc27bf47 | df1f7afc1e1be993d9789581876fd7c5bc2cffa7 | refs/heads/master | 2021-03-27T16:33:56.925361 | 2017-06-19T09:40:51 | 2017-06-19T09:40:51 | 88,052,346 | 5 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 33,991 | cpp | //===- CodeViewYAMLDebugSections.cpp - CodeView YAMLIO debug sections -----===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
//
// This file defines classes for handling the YAML representation of CodeView
// Debug Info.
//
//===----------------------------------------------------------------------===//
#include "llvm/ObjectYAML/CodeViewYAMLDebugSections.h"
#include "llvm/ADT/StringExtras.h"
#include "llvm/ADT/StringSwitch.h"
#include "llvm/DebugInfo/CodeView/CodeViewError.h"
#include "llvm/DebugInfo/CodeView/DebugChecksumsSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugCrossExSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugCrossImpSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugFrameDataSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugInlineeLinesSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugLinesSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugStringTableSubsection.h"
#include "llvm/DebugInfo/CodeView/DebugSubsectionVisitor.h"
#include "llvm/DebugInfo/CodeView/DebugSymbolRVASubsection.h"
#include "llvm/DebugInfo/CodeView/DebugSymbolsSubsection.h"
#include "llvm/DebugInfo/CodeView/EnumTables.h"
#include "llvm/DebugInfo/CodeView/StringsAndChecksums.h"
#include "llvm/DebugInfo/CodeView/SymbolRecord.h"
#include "llvm/DebugInfo/CodeView/SymbolSerializer.h"
#include "llvm/ObjectYAML/CodeViewYAMLSymbols.h"
#include "llvm/Support/BinaryStreamWriter.h"
using namespace llvm;
using namespace llvm::codeview;
using namespace llvm::CodeViewYAML;
using namespace llvm::CodeViewYAML::detail;
using namespace llvm::yaml;
LLVM_YAML_IS_SEQUENCE_VECTOR(SourceFileChecksumEntry)
LLVM_YAML_IS_SEQUENCE_VECTOR(SourceLineEntry)
LLVM_YAML_IS_SEQUENCE_VECTOR(SourceColumnEntry)
LLVM_YAML_IS_SEQUENCE_VECTOR(SourceLineBlock)
LLVM_YAML_IS_SEQUENCE_VECTOR(SourceLineInfo)
LLVM_YAML_IS_SEQUENCE_VECTOR(InlineeSite)
LLVM_YAML_IS_SEQUENCE_VECTOR(InlineeInfo)
LLVM_YAML_IS_SEQUENCE_VECTOR(CrossModuleExport)
LLVM_YAML_IS_SEQUENCE_VECTOR(YAMLCrossModuleImport)
LLVM_YAML_IS_SEQUENCE_VECTOR(StringRef)
LLVM_YAML_IS_SEQUENCE_VECTOR(YAMLFrameData)
LLVM_YAML_IS_FLOW_SEQUENCE_VECTOR(uint32_t)
LLVM_YAML_DECLARE_SCALAR_TRAITS(HexFormattedString, false)
LLVM_YAML_DECLARE_ENUM_TRAITS(DebugSubsectionKind)
LLVM_YAML_DECLARE_ENUM_TRAITS(FileChecksumKind)
LLVM_YAML_DECLARE_BITSET_TRAITS(LineFlags)
LLVM_YAML_DECLARE_MAPPING_TRAITS(CrossModuleExport)
LLVM_YAML_DECLARE_MAPPING_TRAITS(YAMLFrameData)
LLVM_YAML_DECLARE_MAPPING_TRAITS(YAMLCrossModuleImport)
LLVM_YAML_DECLARE_MAPPING_TRAITS(CrossModuleImportItem)
LLVM_YAML_DECLARE_MAPPING_TRAITS(SourceLineEntry)
LLVM_YAML_DECLARE_MAPPING_TRAITS(SourceColumnEntry)
LLVM_YAML_DECLARE_MAPPING_TRAITS(SourceFileChecksumEntry)
LLVM_YAML_DECLARE_MAPPING_TRAITS(SourceLineBlock)
LLVM_YAML_DECLARE_MAPPING_TRAITS(InlineeSite)
namespace llvm {
namespace CodeViewYAML {
namespace detail {
struct YAMLSubsectionBase {
explicit YAMLSubsectionBase(DebugSubsectionKind Kind) : Kind(Kind) {}
DebugSubsectionKind Kind;
virtual ~YAMLSubsectionBase() {}
virtual void map(IO &IO) = 0;
virtual std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const = 0;
};
}
}
}
namespace {
struct YAMLChecksumsSubsection : public YAMLSubsectionBase {
YAMLChecksumsSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::FileChecksums) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLChecksumsSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &FC);
std::vector<SourceFileChecksumEntry> Checksums;
};
struct YAMLLinesSubsection : public YAMLSubsectionBase {
YAMLLinesSubsection() : YAMLSubsectionBase(DebugSubsectionKind::Lines) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLLinesSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &Checksums,
const DebugLinesSubsectionRef &Lines);
SourceLineInfo Lines;
};
struct YAMLInlineeLinesSubsection : public YAMLSubsectionBase {
YAMLInlineeLinesSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::InlineeLines) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLInlineeLinesSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &Checksums,
const DebugInlineeLinesSubsectionRef &Lines);
InlineeInfo InlineeLines;
};
struct YAMLCrossModuleExportsSubsection : public YAMLSubsectionBase {
YAMLCrossModuleExportsSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::CrossScopeExports) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLCrossModuleExportsSubsection>>
fromCodeViewSubsection(const DebugCrossModuleExportsSubsectionRef &Exports);
std::vector<CrossModuleExport> Exports;
};
struct YAMLCrossModuleImportsSubsection : public YAMLSubsectionBase {
YAMLCrossModuleImportsSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::CrossScopeImports) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLCrossModuleImportsSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings,
const DebugCrossModuleImportsSubsectionRef &Imports);
std::vector<YAMLCrossModuleImport> Imports;
};
struct YAMLSymbolsSubsection : public YAMLSubsectionBase {
YAMLSymbolsSubsection() : YAMLSubsectionBase(DebugSubsectionKind::Symbols) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLSymbolsSubsection>>
fromCodeViewSubsection(const DebugSymbolsSubsectionRef &Symbols);
std::vector<CodeViewYAML::SymbolRecord> Symbols;
};
struct YAMLStringTableSubsection : public YAMLSubsectionBase {
YAMLStringTableSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::StringTable) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLStringTableSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings);
std::vector<StringRef> Strings;
};
struct YAMLFrameDataSubsection : public YAMLSubsectionBase {
YAMLFrameDataSubsection()
: YAMLSubsectionBase(DebugSubsectionKind::FrameData) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLFrameDataSubsection>>
fromCodeViewSubsection(const DebugStringTableSubsectionRef &Strings,
const DebugFrameDataSubsectionRef &Frames);
std::vector<YAMLFrameData> Frames;
};
struct YAMLCoffSymbolRVASubsection : public YAMLSubsectionBase {
YAMLCoffSymbolRVASubsection()
: YAMLSubsectionBase(DebugSubsectionKind::CoffSymbolRVA) {}
void map(IO &IO) override;
std::shared_ptr<DebugSubsection>
toCodeViewSubsection(BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const override;
static Expected<std::shared_ptr<YAMLCoffSymbolRVASubsection>>
fromCodeViewSubsection(const DebugSymbolRVASubsectionRef &RVAs);
std::vector<uint32_t> RVAs;
};
}
void ScalarBitSetTraits<LineFlags>::bitset(IO &io, LineFlags &Flags) {
io.bitSetCase(Flags, "HasColumnInfo", LF_HaveColumns);
io.enumFallback<Hex16>(Flags);
}
void ScalarEnumerationTraits<FileChecksumKind>::enumeration(
IO &io, FileChecksumKind &Kind) {
io.enumCase(Kind, "None", FileChecksumKind::None);
io.enumCase(Kind, "MD5", FileChecksumKind::MD5);
io.enumCase(Kind, "SHA1", FileChecksumKind::SHA1);
io.enumCase(Kind, "SHA256", FileChecksumKind::SHA256);
}
void ScalarTraits<HexFormattedString>::output(const HexFormattedString &Value,
void *ctx, raw_ostream &Out) {
StringRef Bytes(reinterpret_cast<const char *>(Value.Bytes.data()),
Value.Bytes.size());
Out << toHex(Bytes);
}
StringRef ScalarTraits<HexFormattedString>::input(StringRef Scalar, void *ctxt,
HexFormattedString &Value) {
std::string H = fromHex(Scalar);
Value.Bytes.assign(H.begin(), H.end());
return StringRef();
}
void MappingTraits<SourceLineEntry>::mapping(IO &IO, SourceLineEntry &Obj) {
IO.mapRequired("Offset", Obj.Offset);
IO.mapRequired("LineStart", Obj.LineStart);
IO.mapRequired("IsStatement", Obj.IsStatement);
IO.mapRequired("EndDelta", Obj.EndDelta);
}
void MappingTraits<SourceColumnEntry>::mapping(IO &IO, SourceColumnEntry &Obj) {
IO.mapRequired("StartColumn", Obj.StartColumn);
IO.mapRequired("EndColumn", Obj.EndColumn);
}
void MappingTraits<SourceLineBlock>::mapping(IO &IO, SourceLineBlock &Obj) {
IO.mapRequired("FileName", Obj.FileName);
IO.mapRequired("Lines", Obj.Lines);
IO.mapRequired("Columns", Obj.Columns);
}
void MappingTraits<CrossModuleExport>::mapping(IO &IO, CrossModuleExport &Obj) {
IO.mapRequired("LocalId", Obj.Local);
IO.mapRequired("GlobalId", Obj.Global);
}
void MappingTraits<YAMLCrossModuleImport>::mapping(IO &IO,
YAMLCrossModuleImport &Obj) {
IO.mapRequired("Module", Obj.ModuleName);
IO.mapRequired("Imports", Obj.ImportIds);
}
void MappingTraits<SourceFileChecksumEntry>::mapping(
IO &IO, SourceFileChecksumEntry &Obj) {
IO.mapRequired("FileName", Obj.FileName);
IO.mapRequired("Kind", Obj.Kind);
IO.mapRequired("Checksum", Obj.ChecksumBytes);
}
void MappingTraits<InlineeSite>::mapping(IO &IO, InlineeSite &Obj) {
IO.mapRequired("FileName", Obj.FileName);
IO.mapRequired("LineNum", Obj.SourceLineNum);
IO.mapRequired("Inlinee", Obj.Inlinee);
IO.mapOptional("ExtraFiles", Obj.ExtraFiles);
}
void MappingTraits<YAMLFrameData>::mapping(IO &IO, YAMLFrameData &Obj) {
IO.mapRequired("CodeSize", Obj.CodeSize);
IO.mapRequired("FrameFunc", Obj.FrameFunc);
IO.mapRequired("LocalSize", Obj.LocalSize);
IO.mapOptional("MaxStackSize", Obj.MaxStackSize);
IO.mapOptional("ParamsSize", Obj.ParamsSize);
IO.mapOptional("PrologSize", Obj.PrologSize);
IO.mapOptional("RvaStart", Obj.RvaStart);
IO.mapOptional("SavedRegsSize", Obj.SavedRegsSize);
}
void YAMLChecksumsSubsection::map(IO &IO) {
IO.mapTag("!FileChecksums", true);
IO.mapRequired("Checksums", Checksums);
}
void YAMLLinesSubsection::map(IO &IO) {
IO.mapTag("!Lines", true);
IO.mapRequired("CodeSize", Lines.CodeSize);
IO.mapRequired("Flags", Lines.Flags);
IO.mapRequired("RelocOffset", Lines.RelocOffset);
IO.mapRequired("RelocSegment", Lines.RelocSegment);
IO.mapRequired("Blocks", Lines.Blocks);
}
void YAMLInlineeLinesSubsection::map(IO &IO) {
IO.mapTag("!InlineeLines", true);
IO.mapRequired("HasExtraFiles", InlineeLines.HasExtraFiles);
IO.mapRequired("Sites", InlineeLines.Sites);
}
void YAMLCrossModuleExportsSubsection::map(IO &IO) {
IO.mapTag("!CrossModuleExports", true);
IO.mapOptional("Exports", Exports);
}
void YAMLCrossModuleImportsSubsection::map(IO &IO) {
IO.mapTag("!CrossModuleImports", true);
IO.mapOptional("Imports", Imports);
}
void YAMLSymbolsSubsection::map(IO &IO) {
IO.mapTag("!Symbols", true);
IO.mapRequired("Records", Symbols);
}
void YAMLStringTableSubsection::map(IO &IO) {
IO.mapTag("!StringTable", true);
IO.mapRequired("Strings", Strings);
}
void YAMLFrameDataSubsection::map(IO &IO) {
IO.mapTag("!FrameData", true);
IO.mapRequired("Frames", Frames);
}
void YAMLCoffSymbolRVASubsection::map(IO &IO) {
IO.mapTag("!COFFSymbolRVAs", true);
IO.mapRequired("RVAs", RVAs);
}
void MappingTraits<YAMLDebugSubsection>::mapping(
IO &IO, YAMLDebugSubsection &Subsection) {
if (!IO.outputting()) {
if (IO.mapTag("!FileChecksums")) {
auto SS = std::make_shared<YAMLChecksumsSubsection>();
Subsection.Subsection = SS;
} else if (IO.mapTag("!Lines")) {
Subsection.Subsection = std::make_shared<YAMLLinesSubsection>();
} else if (IO.mapTag("!InlineeLines")) {
Subsection.Subsection = std::make_shared<YAMLInlineeLinesSubsection>();
} else if (IO.mapTag("!CrossModuleExports")) {
Subsection.Subsection =
std::make_shared<YAMLCrossModuleExportsSubsection>();
} else if (IO.mapTag("!CrossModuleImports")) {
Subsection.Subsection =
std::make_shared<YAMLCrossModuleImportsSubsection>();
} else if (IO.mapTag("!Symbols")) {
Subsection.Subsection = std::make_shared<YAMLSymbolsSubsection>();
} else if (IO.mapTag("!StringTable")) {
Subsection.Subsection = std::make_shared<YAMLStringTableSubsection>();
} else if (IO.mapTag("!FrameData")) {
Subsection.Subsection = std::make_shared<YAMLFrameDataSubsection>();
} else if (IO.mapTag("!COFFSymbolRVAs")) {
Subsection.Subsection = std::make_shared<YAMLCoffSymbolRVASubsection>();
} else {
llvm_unreachable("Unexpected subsection tag!");
}
}
Subsection.Subsection->map(IO);
}
std::shared_ptr<DebugSubsection> YAMLChecksumsSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
assert(SC.hasStrings());
auto Result = std::make_shared<DebugChecksumsSubsection>(*SC.strings());
for (const auto &CS : Checksums) {
Result->addChecksum(CS.FileName, CS.Kind, CS.ChecksumBytes.Bytes);
}
return Result;
}
std::shared_ptr<DebugSubsection> YAMLLinesSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
assert(SC.hasStrings() && SC.hasChecksums());
auto Result =
std::make_shared<DebugLinesSubsection>(*SC.checksums(), *SC.strings());
Result->setCodeSize(Lines.CodeSize);
Result->setRelocationAddress(Lines.RelocSegment, Lines.RelocOffset);
Result->setFlags(Lines.Flags);
for (const auto &LC : Lines.Blocks) {
Result->createBlock(LC.FileName);
if (Result->hasColumnInfo()) {
for (const auto &Item : zip(LC.Lines, LC.Columns)) {
auto &L = std::get<0>(Item);
auto &C = std::get<1>(Item);
uint32_t LE = L.LineStart + L.EndDelta;
Result->addLineAndColumnInfo(L.Offset,
LineInfo(L.LineStart, LE, L.IsStatement),
C.StartColumn, C.EndColumn);
}
} else {
for (const auto &L : LC.Lines) {
uint32_t LE = L.LineStart + L.EndDelta;
Result->addLineInfo(L.Offset, LineInfo(L.LineStart, LE, L.IsStatement));
}
}
}
return Result;
}
std::shared_ptr<DebugSubsection>
YAMLInlineeLinesSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
assert(SC.hasChecksums());
auto Result = std::make_shared<DebugInlineeLinesSubsection>(
*SC.checksums(), InlineeLines.HasExtraFiles);
for (const auto &Site : InlineeLines.Sites) {
Result->addInlineSite(TypeIndex(Site.Inlinee), Site.FileName,
Site.SourceLineNum);
if (!InlineeLines.HasExtraFiles)
continue;
for (auto EF : Site.ExtraFiles) {
Result->addExtraFile(EF);
}
}
return Result;
}
std::shared_ptr<DebugSubsection>
YAMLCrossModuleExportsSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
auto Result = std::make_shared<DebugCrossModuleExportsSubsection>();
for (const auto &M : Exports)
Result->addMapping(M.Local, M.Global);
return Result;
}
std::shared_ptr<DebugSubsection>
YAMLCrossModuleImportsSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
assert(SC.hasStrings());
auto Result =
std::make_shared<DebugCrossModuleImportsSubsection>(*SC.strings());
for (const auto &M : Imports) {
for (const auto Id : M.ImportIds)
Result->addImport(M.ModuleName, Id);
}
return Result;
}
std::shared_ptr<DebugSubsection> YAMLSymbolsSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
auto Result = std::make_shared<DebugSymbolsSubsection>();
for (const auto &Sym : Symbols)
Result->addSymbol(
Sym.toCodeViewSymbol(Allocator, CodeViewContainer::ObjectFile));
return Result;
}
std::shared_ptr<DebugSubsection>
YAMLStringTableSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
auto Result = std::make_shared<DebugStringTableSubsection>();
for (const auto &Str : this->Strings)
Result->insert(Str);
return Result;
}
std::shared_ptr<DebugSubsection> YAMLFrameDataSubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
assert(SC.hasStrings());
auto Result = std::make_shared<DebugFrameDataSubsection>();
for (const auto &YF : Frames) {
codeview::FrameData F;
F.CodeSize = YF.CodeSize;
F.Flags = YF.Flags;
F.LocalSize = YF.LocalSize;
F.MaxStackSize = YF.MaxStackSize;
F.ParamsSize = YF.ParamsSize;
F.PrologSize = YF.PrologSize;
F.RvaStart = YF.RvaStart;
F.SavedRegsSize = YF.SavedRegsSize;
F.FrameFunc = SC.strings()->insert(YF.FrameFunc);
Result->addFrameData(F);
}
return Result;
}
std::shared_ptr<DebugSubsection>
YAMLCoffSymbolRVASubsection::toCodeViewSubsection(
BumpPtrAllocator &Allocator,
const codeview::StringsAndChecksums &SC) const {
auto Result = std::make_shared<DebugSymbolRVASubsection>();
for (const auto &RVA : RVAs)
Result->addRVA(RVA);
return Result;
}
static Expected<SourceFileChecksumEntry>
convertOneChecksum(const DebugStringTableSubsectionRef &Strings,
const FileChecksumEntry &CS) {
auto ExpectedString = Strings.getString(CS.FileNameOffset);
if (!ExpectedString)
return ExpectedString.takeError();
SourceFileChecksumEntry Result;
Result.ChecksumBytes.Bytes = CS.Checksum;
Result.Kind = CS.Kind;
Result.FileName = *ExpectedString;
return Result;
}
static Expected<StringRef>
getFileName(const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &Checksums, uint32_t FileID) {
auto Iter = Checksums.getArray().at(FileID);
if (Iter == Checksums.getArray().end())
return make_error<CodeViewError>(cv_error_code::no_records);
uint32_t Offset = Iter->FileNameOffset;
return Strings.getString(Offset);
}
Expected<std::shared_ptr<YAMLChecksumsSubsection>>
YAMLChecksumsSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &FC) {
auto Result = std::make_shared<YAMLChecksumsSubsection>();
for (const auto &CS : FC) {
auto ConvertedCS = convertOneChecksum(Strings, CS);
if (!ConvertedCS)
return ConvertedCS.takeError();
Result->Checksums.push_back(*ConvertedCS);
}
return Result;
}
Expected<std::shared_ptr<YAMLLinesSubsection>>
YAMLLinesSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &Checksums,
const DebugLinesSubsectionRef &Lines) {
auto Result = std::make_shared<YAMLLinesSubsection>();
Result->Lines.CodeSize = Lines.header()->CodeSize;
Result->Lines.RelocOffset = Lines.header()->RelocOffset;
Result->Lines.RelocSegment = Lines.header()->RelocSegment;
Result->Lines.Flags = static_cast<LineFlags>(uint16_t(Lines.header()->Flags));
for (const auto &L : Lines) {
SourceLineBlock Block;
auto EF = getFileName(Strings, Checksums, L.NameIndex);
if (!EF)
return EF.takeError();
Block.FileName = *EF;
if (Lines.hasColumnInfo()) {
for (const auto &C : L.Columns) {
SourceColumnEntry SCE;
SCE.EndColumn = C.EndColumn;
SCE.StartColumn = C.StartColumn;
Block.Columns.push_back(SCE);
}
}
for (const auto &LN : L.LineNumbers) {
SourceLineEntry SLE;
LineInfo LI(LN.Flags);
SLE.Offset = LN.Offset;
SLE.LineStart = LI.getStartLine();
SLE.EndDelta = LI.getLineDelta();
SLE.IsStatement = LI.isStatement();
Block.Lines.push_back(SLE);
}
Result->Lines.Blocks.push_back(Block);
}
return Result;
}
Expected<std::shared_ptr<YAMLInlineeLinesSubsection>>
YAMLInlineeLinesSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings,
const DebugChecksumsSubsectionRef &Checksums,
const DebugInlineeLinesSubsectionRef &Lines) {
auto Result = std::make_shared<YAMLInlineeLinesSubsection>();
Result->InlineeLines.HasExtraFiles = Lines.hasExtraFiles();
for (const auto &IL : Lines) {
InlineeSite Site;
auto ExpF = getFileName(Strings, Checksums, IL.Header->FileID);
if (!ExpF)
return ExpF.takeError();
Site.FileName = *ExpF;
Site.Inlinee = IL.Header->Inlinee.getIndex();
Site.SourceLineNum = IL.Header->SourceLineNum;
if (Lines.hasExtraFiles()) {
for (const auto EF : IL.ExtraFiles) {
auto ExpF2 = getFileName(Strings, Checksums, EF);
if (!ExpF2)
return ExpF2.takeError();
Site.ExtraFiles.push_back(*ExpF2);
}
}
Result->InlineeLines.Sites.push_back(Site);
}
return Result;
}
Expected<std::shared_ptr<YAMLCrossModuleExportsSubsection>>
YAMLCrossModuleExportsSubsection::fromCodeViewSubsection(
const DebugCrossModuleExportsSubsectionRef &Exports) {
auto Result = std::make_shared<YAMLCrossModuleExportsSubsection>();
Result->Exports.assign(Exports.begin(), Exports.end());
return Result;
}
Expected<std::shared_ptr<YAMLCrossModuleImportsSubsection>>
YAMLCrossModuleImportsSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings,
const DebugCrossModuleImportsSubsectionRef &Imports) {
auto Result = std::make_shared<YAMLCrossModuleImportsSubsection>();
for (const auto &CMI : Imports) {
YAMLCrossModuleImport YCMI;
auto ExpectedStr = Strings.getString(CMI.Header->ModuleNameOffset);
if (!ExpectedStr)
return ExpectedStr.takeError();
YCMI.ModuleName = *ExpectedStr;
YCMI.ImportIds.assign(CMI.Imports.begin(), CMI.Imports.end());
Result->Imports.push_back(YCMI);
}
return Result;
}
Expected<std::shared_ptr<YAMLSymbolsSubsection>>
YAMLSymbolsSubsection::fromCodeViewSubsection(
const DebugSymbolsSubsectionRef &Symbols) {
auto Result = std::make_shared<YAMLSymbolsSubsection>();
for (const auto &Sym : Symbols) {
auto S = CodeViewYAML::SymbolRecord::fromCodeViewSymbol(Sym);
if (!S)
return joinErrors(make_error<CodeViewError>(
cv_error_code::corrupt_record,
"Invalid CodeView Symbol Record in SymbolRecord "
"subsection of .debug$S while converting to YAML!"),
S.takeError());
Result->Symbols.push_back(*S);
}
return Result;
}
Expected<std::shared_ptr<YAMLStringTableSubsection>>
YAMLStringTableSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings) {
auto Result = std::make_shared<YAMLStringTableSubsection>();
BinaryStreamReader Reader(Strings.getBuffer());
StringRef S;
// First item is a single null string, skip it.
if (auto EC = Reader.readCString(S))
return std::move(EC);
assert(S.empty());
while (Reader.bytesRemaining() > 0) {
if (auto EC = Reader.readCString(S))
return std::move(EC);
Result->Strings.push_back(S);
}
return Result;
}
Expected<std::shared_ptr<YAMLFrameDataSubsection>>
YAMLFrameDataSubsection::fromCodeViewSubsection(
const DebugStringTableSubsectionRef &Strings,
const DebugFrameDataSubsectionRef &Frames) {
auto Result = std::make_shared<YAMLFrameDataSubsection>();
for (const auto &F : Frames) {
YAMLFrameData YF;
YF.CodeSize = F.CodeSize;
YF.Flags = F.Flags;
YF.LocalSize = F.LocalSize;
YF.MaxStackSize = F.MaxStackSize;
YF.ParamsSize = F.ParamsSize;
YF.PrologSize = F.PrologSize;
YF.RvaStart = F.RvaStart;
YF.SavedRegsSize = F.SavedRegsSize;
auto ES = Strings.getString(F.FrameFunc);
if (!ES)
return joinErrors(
make_error<CodeViewError>(
cv_error_code::no_records,
"Could not find string for string id while mapping FrameData!"),
ES.takeError());
YF.FrameFunc = *ES;
Result->Frames.push_back(YF);
}
return Result;
}
Expected<std::shared_ptr<YAMLCoffSymbolRVASubsection>>
YAMLCoffSymbolRVASubsection::fromCodeViewSubsection(
const DebugSymbolRVASubsectionRef &Section) {
auto Result = std::make_shared<YAMLCoffSymbolRVASubsection>();
for (const auto &RVA : Section) {
Result->RVAs.push_back(RVA);
}
return Result;
}
Expected<std::vector<std::shared_ptr<DebugSubsection>>>
llvm::CodeViewYAML::toCodeViewSubsectionList(
BumpPtrAllocator &Allocator, ArrayRef<YAMLDebugSubsection> Subsections,
const codeview::StringsAndChecksums &SC) {
std::vector<std::shared_ptr<DebugSubsection>> Result;
if (Subsections.empty())
return std::move(Result);
for (const auto &SS : Subsections) {
std::shared_ptr<DebugSubsection> CVS;
CVS = SS.Subsection->toCodeViewSubsection(Allocator, SC);
assert(CVS != nullptr);
Result.push_back(std::move(CVS));
}
return std::move(Result);
}
namespace {
struct SubsectionConversionVisitor : public DebugSubsectionVisitor {
SubsectionConversionVisitor() {}
Error visitUnknown(DebugUnknownSubsectionRef &Unknown) override;
Error visitLines(DebugLinesSubsectionRef &Lines,
const StringsAndChecksumsRef &State) override;
Error visitFileChecksums(DebugChecksumsSubsectionRef &Checksums,
const StringsAndChecksumsRef &State) override;
Error visitInlineeLines(DebugInlineeLinesSubsectionRef &Inlinees,
const StringsAndChecksumsRef &State) override;
Error visitCrossModuleExports(DebugCrossModuleExportsSubsectionRef &Checksums,
const StringsAndChecksumsRef &State) override;
Error visitCrossModuleImports(DebugCrossModuleImportsSubsectionRef &Inlinees,
const StringsAndChecksumsRef &State) override;
Error visitStringTable(DebugStringTableSubsectionRef &ST,
const StringsAndChecksumsRef &State) override;
Error visitSymbols(DebugSymbolsSubsectionRef &Symbols,
const StringsAndChecksumsRef &State) override;
Error visitFrameData(DebugFrameDataSubsectionRef &Symbols,
const StringsAndChecksumsRef &State) override;
Error visitCOFFSymbolRVAs(DebugSymbolRVASubsectionRef &Symbols,
const StringsAndChecksumsRef &State) override;
YAMLDebugSubsection Subsection;
};
Error SubsectionConversionVisitor::visitUnknown(
DebugUnknownSubsectionRef &Unknown) {
return make_error<CodeViewError>(cv_error_code::operation_unsupported);
}
Error SubsectionConversionVisitor::visitLines(
DebugLinesSubsectionRef &Lines, const StringsAndChecksumsRef &State) {
auto Result = YAMLLinesSubsection::fromCodeViewSubsection(
State.strings(), State.checksums(), Lines);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitFileChecksums(
DebugChecksumsSubsectionRef &Checksums,
const StringsAndChecksumsRef &State) {
auto Result = YAMLChecksumsSubsection::fromCodeViewSubsection(State.strings(),
Checksums);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitInlineeLines(
DebugInlineeLinesSubsectionRef &Inlinees,
const StringsAndChecksumsRef &State) {
auto Result = YAMLInlineeLinesSubsection::fromCodeViewSubsection(
State.strings(), State.checksums(), Inlinees);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitCrossModuleExports(
DebugCrossModuleExportsSubsectionRef &Exports,
const StringsAndChecksumsRef &State) {
auto Result =
YAMLCrossModuleExportsSubsection::fromCodeViewSubsection(Exports);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitCrossModuleImports(
DebugCrossModuleImportsSubsectionRef &Imports,
const StringsAndChecksumsRef &State) {
auto Result = YAMLCrossModuleImportsSubsection::fromCodeViewSubsection(
State.strings(), Imports);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitStringTable(
DebugStringTableSubsectionRef &Strings,
const StringsAndChecksumsRef &State) {
auto Result = YAMLStringTableSubsection::fromCodeViewSubsection(Strings);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitSymbols(
DebugSymbolsSubsectionRef &Symbols, const StringsAndChecksumsRef &State) {
auto Result = YAMLSymbolsSubsection::fromCodeViewSubsection(Symbols);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitFrameData(
DebugFrameDataSubsectionRef &Frames, const StringsAndChecksumsRef &State) {
auto Result =
YAMLFrameDataSubsection::fromCodeViewSubsection(State.strings(), Frames);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
Error SubsectionConversionVisitor::visitCOFFSymbolRVAs(
DebugSymbolRVASubsectionRef &RVAs, const StringsAndChecksumsRef &State) {
auto Result = YAMLCoffSymbolRVASubsection::fromCodeViewSubsection(RVAs);
if (!Result)
return Result.takeError();
Subsection.Subsection = *Result;
return Error::success();
}
}
Expected<YAMLDebugSubsection>
YAMLDebugSubsection::fromCodeViewSubection(const StringsAndChecksumsRef &SC,
const DebugSubsectionRecord &SS) {
SubsectionConversionVisitor V;
if (auto EC = visitDebugSubsection(SS, V, SC))
return std::move(EC);
return V.Subsection;
}
std::vector<YAMLDebugSubsection>
llvm::CodeViewYAML::fromDebugS(ArrayRef<uint8_t> Data,
const StringsAndChecksumsRef &SC) {
BinaryStreamReader Reader(Data, support::little);
uint32_t Magic;
ExitOnError Err("Invalid .debug$S section!");
Err(Reader.readInteger(Magic));
assert(Magic == COFF::DEBUG_SECTION_MAGIC && "Invalid .debug$S section!");
DebugSubsectionArray Subsections;
Err(Reader.readArray(Subsections, Reader.bytesRemaining()));
std::vector<YAMLDebugSubsection> Result;
for (const auto &SS : Subsections) {
auto YamlSS = Err(YAMLDebugSubsection::fromCodeViewSubection(SC, SS));
Result.push_back(YamlSS);
}
return Result;
}
void llvm::CodeViewYAML::initializeStringsAndChecksums(
ArrayRef<YAMLDebugSubsection> Sections, codeview::StringsAndChecksums &SC) {
// String Table and Checksums subsections don't use the allocator.
BumpPtrAllocator Allocator;
// It's possible for checksums and strings to even appear in different debug$S
// sections, so we have to make this a stateful function that can build up
// the strings and checksums field over multiple iterations.
// File Checksums require the string table, but may become before it, so we
// have to scan for strings first, then scan for checksums again from the
// beginning.
if (!SC.hasStrings()) {
for (const auto &SS : Sections) {
if (SS.Subsection->Kind != DebugSubsectionKind::StringTable)
continue;
auto Result = SS.Subsection->toCodeViewSubsection(Allocator, SC);
SC.setStrings(
std::static_pointer_cast<DebugStringTableSubsection>(Result));
break;
}
}
if (SC.hasStrings() && !SC.hasChecksums()) {
for (const auto &SS : Sections) {
if (SS.Subsection->Kind != DebugSubsectionKind::FileChecksums)
continue;
auto Result = SS.Subsection->toCodeViewSubsection(Allocator, SC);
SC.setChecksums(
std::static_pointer_cast<DebugChecksumsSubsection>(Result));
break;
}
}
}
| [
"zturner@google.com"
] | zturner@google.com |
f7520adc1912f6a68cdb00cb1f71633d99f9c774 | 063e14fa04f9843142864a1e418c20da23bde228 | /Bank_management_system/Checking_Account.cpp | c7bf99a3f2177346574e07864684adcbfd62d280 | [] | no_license | milkbingus/Bank-Management-Program | 82d9276a545296d4ae47bb212f2ac10988ba0e65 | e144b8a8ea11e2173e0bc13d61824fe96cfca198 | refs/heads/master | 2020-04-30T19:21:15.393407 | 2017-10-08T18:11:34 | 2017-10-08T18:11:34 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,019 | cpp | //
// Checking_Account.cpp
// Bank_management_system
//
// Created by Goat on 8/4/17.
// Copyright © 2017 Tam Hoang. All rights reserved.
//
#include "Checking_Account.hpp"
#include "Debit_card.hpp"
#include <fstream>
#include <iostream>
#include <string>
#include <iomanip>
#include <regex>
#include <ctime>
#include <cstdlib>
#include <ctime>
using namespace std;
Checking_Account::Checking_Account(){
}
void Checking_Account::checkBalance()
{
cout << setprecision(8) <<"Account number: " << accountNumber << endl;
cout << setprecision(8) <<"Routing number: " << routingNumber << endl;
cout << "Balance: $" << balance <<endl;
cout << setw(30) << "Statement" << endl << endl;
cout << left << setw(8) << "Date"<< setw(40) << "Description" <<
setw(15) << "Amount" << setw(15) << "Remain Balance" << endl;
for (auto x: checkingStatement){
cout << left << setw(8) << x.date << setw(40) << x.description
<< "$" << setw(14) << x.amount << "$" << setw(15) << x.runningBalance << endl;
}
}
void Checking_Account::addStatement(string date, string description, double amount)
{
statement newStatement;
newStatement.date = date;
newStatement.description = description;
newStatement.amount = amount;
newStatement.runningBalance = balance - amount;
balance -= amount;
checkingStatement.push_front(newStatement);
}
void Checking_Account::withdraw(double amount){
time_t t = time(0);
struct tm *now = localtime( & t );
string month = to_string(now->tm_mon + 1);
string year = to_string(now->tm_year + 1900);
string year1;
year1.append(year, 2, 2);
string date = month + "/" + year1;
addStatement(date, "Withraw Cash", amount);
}
void Checking_Account::deposit(double amount){
time_t t = time(0);
struct tm *now = localtime(&t);
string month = to_string(now->tm_mon + 1);
string year = to_string(now->tm_year + 1900);
string year1;
year1.append(year, 2, 2);
string date = month + "/" + year1;
amount *= -1;
addStatement(date, "Deposit", amount);
}
| [
"Kato@Goat.local"
] | Kato@Goat.local |
1a0f1cf5cd5c6f0029e5f3cf076fbc1ff6603423 | 1dd530a1a3ef1860f2a4fb28f85f7e6901502249 | /Code/cPers/cPers/PersistenceIO.h | 3c206a4135e8ef0e4712a958afe92b04406350a9 | [
"MIT"
] | permissive | HuXiaoling/TopoLoss | c9abc4309e7a8a7d0d22fdf04a0f0c60782a93a2 | 5c6db49a07858c9e02c90a4068d45fd5e3817d1f | refs/heads/master | 2023-04-08T18:14:43.978455 | 2023-03-27T04:10:27 | 2023-03-27T04:10:27 | 216,477,065 | 124 | 24 | null | null | null | null | UTF-8 | C++ | false | false | 7,514 | h | #ifndef PERSISTENCEIO_H
#define PERSISTENCEIO_H
#include <blitz/array.h>
#include <blitz/tinyvec-et.h>
#include <functional>
#include <vector>
//#include <malloc.h>
#include <ctime>
#include "Debugging.h"
//using namespace std;
typedef vector<int> MatrixListType;
/************************************************************************/
/* Save persistence values to binary file */
/************************************************************************/
int savePersistenceResults(const char *fileName,unsigned int *data, const vector<int> &header, int nrPairs);
int saveReductionResults(const char *fileName,unsigned int *data, const vector<int> &header, int nrPairs);
/************************************************************************/
/* Read persistence values from binary file */
/************************************************************************/
// int ReadPersistencyResults(char *fileName);
template<int d>
struct TextPersistentPairsSaver
{
template<typename ContT>
void savePers(vector<ContT> &res, const char * output_fname){
OUTPUT_MSG( endl<< "---------- writing result ---------------" );
cout << "writing text output to: " << output_fname << endl;
fstream output_filestr(output_fname, fstream::out | fstream::trunc);
string names[] = {"Vertex", "Edge", "Face", "Cube", "4D-Cell", "5D-Cell"};
for (int i = 0; i < d; i++)
{
//sort(res[i].begin(), res[i].end());
output_filestr << names[i] << " " << names[i+1] << " Pairs, Number = " << res[i].size() << endl;
typename ContT::iterator veiter;
for(veiter=res[i].begin();veiter!=res[i].end();veiter++)
output_filestr << veiter->birth << "\t" << veiter->death << endl;
}
OUTPUT_MSG( endl<< "---------- writing result finished ---------------" );
}
};
template<int d>
struct BinaryPersistentPairsSaver
{
typedef blitz::TinyVector<int, d> Vertex;
template<typename ContT>
void saveOutput(vector<ContT> &res, vector< Vertex > & vList, const char * output_fname)
{
assert(res.size() == d);
int count = 0;
for (int i = 0; i < res.size(); i++){
count += res[i].size();
}
string names[] = {"Vertex", "Edge", "Face", "Cube", "4D-Cell", "5D-Cell"};
for (int i = 0; i < d; i++)
cout << names[i] << " " << names[i+1] << " Pairs = " << res[i].size() << endl;
unsigned int *pairArray = new unsigned int[count*2*d];
int index = 0;
vector<int> header(d);
for (int i = 0; i < d; i++)
{
// do not sort
// sort(res[i].begin(), res[i].end());
typename ContT::iterator veiter;
for(veiter=res[i].begin();veiter!=res[i].end();veiter++)
{
/*
cout <<" birth " << "\t";
for( size_t ii = 0; ii < veiter->vertDim; ii ++ )
cout << veiter->birthV[ ii ] << " " ;
cout << endl;
cout <<" death " << "\t";
for( size_t ii = 0; ii < veiter->vertDim; ii ++ )
cout << veiter->deathV[ ii ] << " " ;
cout << endl;
cout.flush();
*/
// pairArray[index++] = veiter->birth;
// pairArray[index++] = veiter->death;
//Vertex birthcoord = vList[ vListveiter->birthV ];
Vertex birthcoord = veiter->birthV ;
for( size_t ii = 0; ii < d; ii ++ )
pairArray[index++] = birthcoord[d-1-ii]+1;
// cout << "birth :" << birthcoord+1 << veiter->birth << endl;
//Vertex deathcoord = vList[ vListveiter->deathV ];
Vertex deathcoord = veiter->deathV;
for( size_t ii = 0; ii < d; ii ++ )
pairArray[index++] = deathcoord[ d-1-ii ]+1;
// cout << "death :" << deathcoord+1 << veiter->death << endl;
}
header[i] = res[i].size();
cout << endl;
}
savePersistenceResults(output_fname, pairArray, header, index);
}
void saveOneDimReduction(const vector< MatrixListType > & final_red_list, vector< Vertex > & vList, const char * output_fname, const int dSave)
{
MY_ASSERT( dSave > 0 );
MY_ASSERT( dSave <= d );
int count = 0;
for( int j = 0; j < final_red_list.size(); j ++ ){
assert( ! final_red_list[j].empty() );
count += 1;
count += final_red_list[j].size();
}
unsigned int *redArray = new unsigned int[count * d];
int index = 0;
vector<int> header(d);
header[0] = final_red_list.size();
for( vector< MatrixListType >::const_iterator red_list_iter = final_red_list.begin(); red_list_iter!=final_red_list.end();red_list_iter++)
{
// size of the reduction list of this dot
assert( red_list_iter->size() != 0 );
redArray[ index++ ] = red_list_iter->size();
for( int j = 1; j < d; j ++ )
redArray[ index++ ] = 0;
// cout << red_list_iter - final_red_lists[i].begin() << " : " << (int) (red_list_iter->size()) << " -- ";
// for each vertex in the red list, write its coordinates
for( MatrixListType::const_iterator cellid_iter = red_list_iter->begin(); cellid_iter != red_list_iter->end(); cellid_iter ++ ){
Vertex coord = vList[ * cellid_iter ];
// cout << * cellid_iter << " [";
for( size_t ii = 0; ii < d; ii ++ ){
redArray[ index++ ] = coord[ d-1-ii ] + 1;
// cout << (int)(coord[ ii ] )+1 << "," ;
}
// cout << "] \n";
}
// cout << endl;
}
// cout << endl;
saveReductionResults(output_fname, redArray, header, index);
}
void saveReduction(vector<vector< MatrixListType > > final_red_lists, vector< Vertex > & vList, const char * output_fname)
{
assert(final_red_lists.size() == d);
int count = 0;
for (int i = 0; i < final_red_lists.size(); i++){
// count += 2; // dimension and number of persistence dots to save
for( int j = 0; j < final_red_lists[ i ].size(); j ++ ){
assert( ! final_red_lists[i][j].empty() );
count += 1;
count += final_red_lists[i][j].size();
}
}
string names[] = {"Vertex", "Edge", "Face", "Cube", "4D-Cell", "5D-Cell"};
for (int i = 0; i < d; i++)
cout << names[i] << " " << names[i+1] << " Pairs = " << final_red_lists[i].size() << endl;
unsigned int *redArray = new unsigned int[count * d];
int index = 0;
vector<int> header(d);
for (int i = 0; i < d; i++)
{
/* // all zeros as deliminator
for( int j = 0; j < d ; j ++ )
redArray[ index++ ] = 0;
redArray[ index++ ] = i+1; // dimension
redArray[ index++ ] = final_red_lists[ i ].size(); // number of dots
for( int j = 2; j < d; j ++ )
redArray[ index++ ] = 0;
*/
for( vector< MatrixListType >::iterator red_list_iter = final_red_lists[i].begin(); red_list_iter!=final_red_lists[i].end();red_list_iter++)
{
// size of the reduction list of this dot
assert( red_list_iter->size() != 0 );
redArray[ index++ ] = red_list_iter->size();
for( int j = 1; j < d; j ++ )
redArray[ index++ ] = 0;
// cout << red_list_iter - final_red_lists[i].begin() << " : " << (int) (red_list_iter->size()) << " -- ";
// for each vertex in the red list, write its coordinates
for( MatrixListType::iterator cellid_iter = red_list_iter->begin(); cellid_iter != red_list_iter->end(); cellid_iter ++ ){
Vertex coord = vList[ * cellid_iter ];
// cout << * cellid_iter << " [";
for( size_t ii = 0; ii < d; ii ++ ){
redArray[ index++ ] = coord[ d-1-ii ] + 1;
// cout << (int)(coord[ ii ] )+1 << "," ;
}
// cout << "] \n";
}
// cout << endl;
}
header[i] = final_red_lists[i].size();
// cout << endl;
}
saveReductionResults(output_fname, redArray, header, index);
}
};
#endif
| [
"1392244065@qq.com"
] | 1392244065@qq.com |
f485cae05eaaae4db510221b514e144dc9becbef | ff5c46348ab8d599ac651388d4cfedf354522519 | /LunarMooner/include/LMEarlyWarning.hpp | 7d1137952c226f25fa476ad0a67c7f2eaea971fa | [
"Zlib"
] | permissive | sysfce2/SFML_Lunar-Mooner | b603b0f52b66f32bfd3dce2813a741b7083ca1a9 | 515003a3263bd7600e608640e75a1362618ac400 | refs/heads/master | 2023-03-18T02:00:06.338722 | 2017-02-22T14:11:33 | 2017-02-22T14:11:33 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,890 | hpp | /*********************************************************************
Matt Marchant 2016
http://trederia.blogspot.com
LunarMooner - Zlib license.
This software is provided 'as-is', without any express or
implied warranty. In no event will the authors be held
liable for any damages arising from the use of this software.
Permission is granted to anyone to use this software for any purpose,
including commercial applications, and to alter it and redistribute
it freely, subject to the following restrictions:
1. The origin of this software must not be misrepresented;
you must not claim that you wrote the original software.
If you use this software in a product, an acknowledgment
in the product documentation would be appreciated but
is not required.
2. Altered source versions must be plainly marked as such,
and must not be misrepresented as being the original software.
3. This notice may not be removed or altered from any
source distribution.
*********************************************************************/
#ifndef LM_EARLY_WARNING_HPP_
#define LM_EARLY_WARNING_HPP_
#include <xygine/components/Component.hpp>
#include <SFML/Graphics/Drawable.hpp>
#include <SFML/Graphics/CircleShape.hpp>
namespace lm
{
class EarlyWarning final : public sf::Drawable, public xy::Component
{
public:
EarlyWarning(xy::MessageBus&, const sf::Vector2f&);
~EarlyWarning() = default;
xy::Component::Type type() const override { return xy::Component::Type::Drawable; }
void entityUpdate(xy::Entity&, float) override;
void onDelayedStart(xy::Entity&) override;
private:
float m_initialPosition;
float m_speed;
float m_scale;
sf::Vector2f m_destination;
sf::CircleShape m_shape;
void draw(sf::RenderTarget&, sf::RenderStates) const override;
};
}
#endif //LM_EARLY_WARNING_HPP_ | [
"matty_styles@hotmail.com"
] | matty_styles@hotmail.com |
d11a8e20fe69d272855953bdc405e5f883eb9f2d | 5614200dcdf35cdc48de1f223df197ede418d32f | /모노미노도미노 2 (20061).cpp | b0b1a503628f0b3ad2d297208617250bcbca5bc5 | [] | no_license | bluetic123/Baekjoon-Samsung-SW-test | b65f863dd4577da81a465a34241766d88883729b | 60ba7fba2288c5f0ccd437e5a65f6c02949d49d8 | refs/heads/main | 2023-08-23T18:04:12.969842 | 2021-10-24T13:07:19 | 2021-10-24T13:07:19 | 416,812,003 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,420 | cpp | #include <iostream>
#include <string>
#include <vector>
#include <algorithm>
#include <queue>
using namespace std;
int N;
int score = 0;
bool blue_space[6][6] = { 0, };
bool green_space[6][6] = { 0, };
void insert_block(int x, int y, int type) {
int insert_point;
// blue
if (type == 1 || type == 2) {
for (insert_point = 2; insert_point < 6; insert_point++) {
if (blue_space[x][insert_point]) {
break;
}
}
insert_point--;
blue_space[x][insert_point] = true;
if (type == 2) {
blue_space[x][insert_point - 1] = true;
}
}
else if (type == 3) {
for (insert_point = 2; insert_point < 6; insert_point++) {
if (blue_space[x][insert_point] || blue_space[x + 1][insert_point]) {
break;
}
}
insert_point--;
blue_space[x][insert_point] = true;
blue_space[x + 1][insert_point] = true;
}
// green
if (type == 1 || type == 3) {
for (insert_point = 2; insert_point < 6; insert_point++) {
if (green_space[y][insert_point]) {
break;
}
}
insert_point--;
green_space[y][insert_point] = true;
if (type == 3) {
green_space[y][insert_point - 1] = true;
}
}
else if (type == 2) {
for (insert_point = 2; insert_point < 6; insert_point++) {
if (green_space[y][insert_point] || green_space[y + 1][insert_point]) {
break;
}
}
insert_point--;
green_space[y][insert_point] = true;
green_space[y + 1][insert_point] = true;
}
}
void block_state_check() {
// score
// blue
for (int y = 5; y >= 0; y--) {
if (blue_space[0][y] && blue_space[1][y] && blue_space[2][y] && blue_space[3][y]) {
score++;
for (int line = y; line > 0; line--) {
for (int x = 0; x < 4; x++) {
blue_space[x][line] = blue_space[x][line - 1];
}
}
for (int x = 0; x < 4; x++) {
blue_space[x][0] = false;
}
y++;
}
}
// green
for (int y = 5; y >= 0; y--) {
if (green_space[0][y] && green_space[1][y] && green_space[2][y] && green_space[3][y]) {
score++;
for (int line = y; line > 0; line--) {
for (int x = 0; x < 4; x++) {
green_space[x][line] = green_space[x][line - 1];
}
}
for (int x = 0; x < 4; x++) {
green_space[x][0] = false;
}
y++;
}
}
// line_push
// blue
for (int t = 0; t < 2; t++) {
bool line_empty = true;
for (int x = 0; x < 4; x++) {
if (blue_space[x][1]) {
line_empty = false;
}
}
if (line_empty) {
break;
}
for (int line = 5; line > 0; line--) {
for (int x = 0; x < 4; x++) {
blue_space[x][line] = blue_space[x][line - 1];
}
}
for (int x = 0; x < 4; x++) {
blue_space[x][0] = false;
}
}
// green
for (int t = 0; t < 2; t++) {
bool line_empty = true;
for (int x = 0; x < 4; x++) {
if (green_space[x][1]) {
line_empty = false;
}
}
if (line_empty) {
break;
}
for (int line = 5; line > 0; line--) {
for (int x = 0; x < 4; x++) {
green_space[x][line] = green_space[x][line - 1];
}
}
for (int x = 0; x < 4; x++) {
green_space[x][0] = false;
}
}
}
void block_game() {
int x, y, type;
for (int n = 0; n < N; n++) {
cin >> type >> x >> y;
insert_block(x, y, type);
block_state_check();
}
}
int main() {
int answer = 0;
cin >> N;
block_game();
for (int x = 0; x < 4; x++) {
for (int y = 0; y < 6; y++) {
if (blue_space[x][y]) {
answer++;
}
if (green_space[x][y]) {
answer++;
}
}
}
cout << score << endl;
cout << answer << endl;
return 0;
}
| [
"65813314+bluetic123@users.noreply.github.com"
] | 65813314+bluetic123@users.noreply.github.com |
1926ab5d82afe8470d826570ca55aa92b22a913d | ee5e0c7f802626b33668e7686d179d5d0ea5f449 | /windows_ce_5_121231/WINCE500/PRIVATE/TEST/DRIVERS/PCMCIA/CETK/TESTS/intrtest.h | 81b7cd6bb7f64d7f0f1e54b2154ae1ff146400cc | [] | no_license | xiaoqgao/windows_ce_5_121231 | e700da986df7fe7d8a691a347f76885aac8c03b3 | 5ad37f4d1e287bb81a238b7d7a8b2e1185fe90ed | refs/heads/master | 2022-12-25T02:28:44.898011 | 2020-09-28T20:03:03 | 2020-09-28T20:03:03 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,904 | h | //
// Copyright (c) Microsoft Corporation. All rights reserved.
//
//
// This source code is licensed under Microsoft Shared Source License
// Version 1.0 for Windows CE.
// For a copy of the license visit http://go.microsoft.com/fwlink/?LinkId=3223.
//
//******************************************************************************
//
//
// This source code is licensed under Microsoft Shared Source License
// Version 1.0 for Windows CE.
// For a copy of the license visit http://go.microsoft.com/fwlink/?LinkId=3223.
//******************************************************************************
#ifndef _INTRTEST_H_
#define _INTRTEST_H_
#include "minithread.h"
//config test parameters
typedef struct {
int nTestFunc;
int fMemory ;
UINT8 uConfigReg;
UINT32 uCallRR ;
int nHCLIENT1;
int nISRFUNC ;
UINT32 uISRData;
STATUS uExpectR;
int nHCLIENT2;
STATUS uExpectR2;
} INTRTESTPARAMS, *LPINTRTESTPARAMS;
#define ISR_LOG_EVENTS 2048
typedef struct{
UINT8 EventNum;
UINT8 Reg1;
UINT8 Reg2;
} ISR_LOG_BUFFER, *PISR_LOG_BUFFER;
#define CALL_REQUEST_CONFIG 0x01
#define CALL_RELEASE_CONFIG 0x10
#define CALL_REQUEST_IRQ 0x0100
#define CALL_RELEASE_IRQ 0x1000
#define CALL_REQUEST_EXCL 0x010000
#define CALL_RELEASE_EXCL 0x100000
#define LOG_LSR_EVENT 1
#define LOG_RBR_EVENT 2
#define LOG_TXE_EVENT 3
#define LOG_MSR_EVENT 4
#define LOG_TXE_TRANS_EVENT 5
#define MAX_INTRCASES 31
#ifndef _STDEF_
#define _STDEF_
static INTRTESTPARAMS intrarr[MAX_INTRCASES] =
{
// **nTestFunc fMemory uConfigReg uCallRR nHCLIENT1 nISRFUNC uISRData uExpectR nHCLIENT2 uExpectR2
// ** ---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
// for Modem: address = 0x2E8: uConfigReg = 35:
{ 0x100, 0, 35, 0x111111, 0x1, 0x1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// Case 2 : Test in Threads
// Thread testing: each thread uses the hard coded socket #. define in testintr.hdwLogStatus
// for Modem: address = 0x3E8: uConfigReg = 34:
{ 0x100, 0, 34, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// Case 3 - 5
// Test continuosly dial out in the same config address
// for Modem: address = 0x2F8: uConfigReg = 33: : Use Call OUT Stream.
{ 0x100, 0, 33, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
{ 0x100, 0, 33, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
{ 0x100, 0, 0x80|33, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// Paramter checking:
// For CardRequestIRQ:
// Case 6: for Modem: address = 0x3E8: uConfigReg = 34: NULL hClient
{ 0x100, 0, 34, 0x111111, 0, 1, (UINT)-1, CERR_BAD_HANDLE, 1, CERR_BAD_ARGS },
// Bad socket=3
{ 0x100, 0, 34, 0x111111, 4, 1, (UINT)-1, CERR_BAD_SOCKET, 1, CERR_BAD_ARGS },
// Bad Function=100
{ 0x100, 0, 34, 0x111111, 4, 1, (UINT)-1, CERR_BAD_SOCKET, 1, CERR_BAD_ARGS },
// No callback ISR function
{ 0x100, 0, 34, 0x111111, 1, 0, (UINT)-1, CERR_BAD_ARGS, 1, CERR_BAD_ARGS },
//
//
// Case 10: Test CardReleaseIRQ()
// for Modem: address = 0x2E8: uConfigReg = 35:
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 0, CERR_BAD_HANDLE},
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 4, CERR_BAD_SOCKET},
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 4, CERR_BAD_SOCKET},
//
// Case 13: Call all ReleaeXXX() and passing in BAD_SOCKET: uSocket = 99 uFunction=69
// x86 DeregisterClient() not clean everything
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 4, CERR_BAD_SOCKET},
// follow up good case
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS},
//
// Case 15: for Modem: address = 0x2E8: uConfigReg = 35:
// Not call ReleaseConfiguration():
// in BUILD 326: ReleaseIRQ() succeeded: DeregsiterClient() will clean out everything
{ 0x100, 0, 35, 0x111101, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS},
// Following a good case to check the result of above case.
{ 0x100, 0, 35, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// for Modem: address = 0x3F8: uConfigReg = 32: conflic with PC (x86): so put at the last
// Not call CardReleaseIRQ()
{ 0x100, 0, 32, 0x110111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// follow up good case:
// for Modem: address = 0x3F8: uConfigReg = 32: conflic with PC (x86): so put at the last
{ 0x100, 0, 32, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// Not call CardReleaseExclusive():
{ 0x100, 0, 34, 0x011111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
// follow up good case:
{ 0x100, 0, 34, 0x111111, 1, 1, (UINT)-1, CERR_SUCCESS, 1, CERR_SUCCESS },
};
#endif // _STDEF_
class IntrTest : public MiniThread {
public:
IntrTest(DWORD dwTestCase, DWORD dwThreadNo, USHORT uSock, USHORT uFunc) :
MiniThread (0,THREAD_PRIORITY_NORMAL,TRUE),
dwCaseID(dwTestCase),
dwThreadID(dwThreadNo),
uLocalSock(uSock),
uLocalFunc(uFunc){
NKDMSG(TEXT("ConfigTest: CaseID: %u; Thread No. %u; Socket %u; Function %u"),
dwCaseID, dwThreadID, uLocalSock, uLocalFunc);
SetResult(TRUE);
};
BOOL Init();
BOOL LaunchISRLogThread();
BOOL EndISRLogThread();
~IntrTest(){;};
private:
virtual DWORD ThreadRun();
static DWORD WINAPI LogIsrThread( UINT Nothing );
VOID InitIRQRegister(PCLIENT_CONTEXT pData);
VOID StartIRQ(PCLIENT_CONTEXT pData);
DWORD dwCaseID;
DWORD dwThreadID;
int nTestFunc, fMemoryCard;
UINT8 uConfigReg;
//==============================================================
// For CardRequestIRQ()
//==============================================================
UINT32 uCallRR ;
int nHCLIENT ;
int nISRFUNC ;
UINT32 uISRData ;
STATUS uExpectRet;
//==============================================================
// For CardReleaseIRQ()
//==============================================================
int nHCLIENT2 ;
STATUS uExpectRet2;
int nThreadsDone;
int nThreadsDone2; // for check CardResetFunction()
int nThreadsExit;
int nStream;
UINT32 uCardAddress;
TCHAR Result[6];
USHORT uLocalSock, uLocalFunc;
// used between SubTestConfig() and Test_SubXX()
BOOL fDeregisterClientDone;
BOOL fReleaseWindowDone;
BOOL fReleaseIRQDone;
BOOL fReleaseExclDone;
BOOL fReleaseConfigDone;
CLIENT_CONTEXT client_data;
};
VOID ISRFunction(UINT32 uContext);
VOID LogIsrEvent( UINT8 Event, UINT8 Reg1, UINT8 Reg2 );
#endif
| [
"benjamin.barratt@icloud.com"
] | benjamin.barratt@icloud.com |
12da0e6309a9bc58322246e8259e09a6640a71cb | cef7325a55895b26faa7bf006a9417e52d109db8 | /llvm-4.0.0.src/lib/IR/Module.cpp | 1911f84340c6dffe256953252cf1b87184af7ff2 | [
"LicenseRef-scancode-unknown-license-reference",
"NCSA"
] | permissive | GJDuck/LowFat | ee4c7c450e9fe64f90e00fc9053b0123f3dc0754 | 20f8075dd1fd6588700262353c7ba619d82cea8f | refs/heads/master | 2022-05-20T20:47:23.759875 | 2022-03-26T23:38:41 | 2022-03-26T23:38:41 | 109,212,497 | 177 | 35 | NOASSERTION | 2022-03-06T05:03:42 | 2017-11-02T03:18:19 | C++ | UTF-8 | C++ | false | false | 19,477 | cpp | //===-- Module.cpp - Implement the Module class ---------------------------===//
//
// The LLVM Compiler Infrastructure
//
// This file is distributed under the University of Illinois Open Source
// License. See LICENSE.TXT for details.
//
//===----------------------------------------------------------------------===//
//
// This file implements the Module class for the IR library.
//
//===----------------------------------------------------------------------===//
#include "llvm/IR/Module.h"
#include "SymbolTableListTraitsImpl.h"
#include "llvm/ADT/STLExtras.h"
#include "llvm/ADT/SmallPtrSet.h"
#include "llvm/ADT/SmallString.h"
#include "llvm/ADT/StringExtras.h"
#include "llvm/IR/Constants.h"
#include "llvm/IR/DerivedTypes.h"
#include "llvm/IR/DebugInfoMetadata.h"
#include "llvm/IR/GVMaterializer.h"
#include "llvm/IR/InstrTypes.h"
#include "llvm/IR/LLVMContext.h"
#include "llvm/IR/TypeFinder.h"
#include "llvm/Support/Dwarf.h"
#include "llvm/Support/Error.h"
#include "llvm/Support/MemoryBuffer.h"
#include "llvm/Support/Path.h"
#include "llvm/Support/RandomNumberGenerator.h"
#include <algorithm>
#include <cstdarg>
#include <cstdlib>
using namespace llvm;
//===----------------------------------------------------------------------===//
// Methods to implement the globals and functions lists.
//
// Explicit instantiations of SymbolTableListTraits since some of the methods
// are not in the public header file.
template class llvm::SymbolTableListTraits<Function>;
template class llvm::SymbolTableListTraits<GlobalVariable>;
template class llvm::SymbolTableListTraits<GlobalAlias>;
template class llvm::SymbolTableListTraits<GlobalIFunc>;
//===----------------------------------------------------------------------===//
// Primitive Module methods.
//
Module::Module(StringRef MID, LLVMContext &C)
: Context(C), Materializer(), ModuleID(MID), SourceFileName(MID), DL("") {
ValSymTab = new ValueSymbolTable();
NamedMDSymTab = new StringMap<NamedMDNode *>();
Context.addModule(this);
}
Module::~Module() {
Context.removeModule(this);
dropAllReferences();
GlobalList.clear();
FunctionList.clear();
AliasList.clear();
IFuncList.clear();
NamedMDList.clear();
delete ValSymTab;
delete static_cast<StringMap<NamedMDNode *> *>(NamedMDSymTab);
}
RandomNumberGenerator *Module::createRNG(const Pass* P) const {
SmallString<32> Salt(P->getPassName());
// This RNG is guaranteed to produce the same random stream only
// when the Module ID and thus the input filename is the same. This
// might be problematic if the input filename extension changes
// (e.g. from .c to .bc or .ll).
//
// We could store this salt in NamedMetadata, but this would make
// the parameter non-const. This would unfortunately make this
// interface unusable by any Machine passes, since they only have a
// const reference to their IR Module. Alternatively we can always
// store salt metadata from the Module constructor.
Salt += sys::path::filename(getModuleIdentifier());
return new RandomNumberGenerator(Salt);
}
/// getNamedValue - Return the first global value in the module with
/// the specified name, of arbitrary type. This method returns null
/// if a global with the specified name is not found.
GlobalValue *Module::getNamedValue(StringRef Name) const {
return cast_or_null<GlobalValue>(getValueSymbolTable().lookup(Name));
}
/// getMDKindID - Return a unique non-zero ID for the specified metadata kind.
/// This ID is uniqued across modules in the current LLVMContext.
unsigned Module::getMDKindID(StringRef Name) const {
return Context.getMDKindID(Name);
}
/// getMDKindNames - Populate client supplied SmallVector with the name for
/// custom metadata IDs registered in this LLVMContext. ID #0 is not used,
/// so it is filled in as an empty string.
void Module::getMDKindNames(SmallVectorImpl<StringRef> &Result) const {
return Context.getMDKindNames(Result);
}
void Module::getOperandBundleTags(SmallVectorImpl<StringRef> &Result) const {
return Context.getOperandBundleTags(Result);
}
//===----------------------------------------------------------------------===//
// Methods for easy access to the functions in the module.
//
// getOrInsertFunction - Look up the specified function in the module symbol
// table. If it does not exist, add a prototype for the function and return
// it. This is nice because it allows most passes to get away with not handling
// the symbol table directly for this common task.
//
Constant *Module::getOrInsertFunction(StringRef Name,
FunctionType *Ty,
AttributeSet AttributeList) {
// See if we have a definition for the specified function already.
GlobalValue *F = getNamedValue(Name);
if (!F) {
// Nope, add it
Function *New = Function::Create(Ty, GlobalVariable::ExternalLinkage, Name);
if (!New->isIntrinsic()) // Intrinsics get attrs set on construction
New->setAttributes(AttributeList);
FunctionList.push_back(New);
return New; // Return the new prototype.
}
// If the function exists but has the wrong type, return a bitcast to the
// right type.
if (F->getType() != PointerType::getUnqual(Ty))
return ConstantExpr::getBitCast(F, PointerType::getUnqual(Ty));
// Otherwise, we just found the existing function or a prototype.
return F;
}
Constant *Module::getOrInsertFunction(StringRef Name,
FunctionType *Ty) {
return getOrInsertFunction(Name, Ty, AttributeSet());
}
// getOrInsertFunction - Look up the specified function in the module symbol
// table. If it does not exist, add a prototype for the function and return it.
// This version of the method takes a null terminated list of function
// arguments, which makes it easier for clients to use.
//
Constant *Module::getOrInsertFunction(StringRef Name,
AttributeSet AttributeList,
Type *RetTy, ...) {
va_list Args;
va_start(Args, RetTy);
// Build the list of argument types...
std::vector<Type*> ArgTys;
while (Type *ArgTy = va_arg(Args, Type*))
ArgTys.push_back(ArgTy);
va_end(Args);
// Build the function type and chain to the other getOrInsertFunction...
return getOrInsertFunction(Name,
FunctionType::get(RetTy, ArgTys, false),
AttributeList);
}
Constant *Module::getOrInsertFunction(StringRef Name,
Type *RetTy, ...) {
va_list Args;
va_start(Args, RetTy);
// Build the list of argument types...
std::vector<Type*> ArgTys;
while (Type *ArgTy = va_arg(Args, Type*))
ArgTys.push_back(ArgTy);
va_end(Args);
// Build the function type and chain to the other getOrInsertFunction...
return getOrInsertFunction(Name,
FunctionType::get(RetTy, ArgTys, false),
AttributeSet());
}
// getFunction - Look up the specified function in the module symbol table.
// If it does not exist, return null.
//
Function *Module::getFunction(StringRef Name) const {
return dyn_cast_or_null<Function>(getNamedValue(Name));
}
//===----------------------------------------------------------------------===//
// Methods for easy access to the global variables in the module.
//
/// getGlobalVariable - Look up the specified global variable in the module
/// symbol table. If it does not exist, return null. The type argument
/// should be the underlying type of the global, i.e., it should not have
/// the top-level PointerType, which represents the address of the global.
/// If AllowLocal is set to true, this function will return types that
/// have an local. By default, these types are not returned.
///
GlobalVariable *Module::getGlobalVariable(StringRef Name, bool AllowLocal) {
if (GlobalVariable *Result =
dyn_cast_or_null<GlobalVariable>(getNamedValue(Name)))
if (AllowLocal || !Result->hasLocalLinkage())
return Result;
return nullptr;
}
/// getOrInsertGlobal - Look up the specified global in the module symbol table.
/// 1. If it does not exist, add a declaration of the global and return it.
/// 2. Else, the global exists but has the wrong type: return the function
/// with a constantexpr cast to the right type.
/// 3. Finally, if the existing global is the correct declaration, return the
/// existing global.
Constant *Module::getOrInsertGlobal(StringRef Name, Type *Ty) {
// See if we have a definition for the specified global already.
GlobalVariable *GV = dyn_cast_or_null<GlobalVariable>(getNamedValue(Name));
if (!GV) {
// Nope, add it
GlobalVariable *New =
new GlobalVariable(*this, Ty, false, GlobalVariable::ExternalLinkage,
nullptr, Name);
return New; // Return the new declaration.
}
// If the variable exists but has the wrong type, return a bitcast to the
// right type.
Type *GVTy = GV->getType();
PointerType *PTy = PointerType::get(Ty, GVTy->getPointerAddressSpace());
if (GVTy != PTy)
return ConstantExpr::getBitCast(GV, PTy);
// Otherwise, we just found the existing function or a prototype.
return GV;
}
//===----------------------------------------------------------------------===//
// Methods for easy access to the global variables in the module.
//
// getNamedAlias - Look up the specified global in the module symbol table.
// If it does not exist, return null.
//
GlobalAlias *Module::getNamedAlias(StringRef Name) const {
return dyn_cast_or_null<GlobalAlias>(getNamedValue(Name));
}
GlobalIFunc *Module::getNamedIFunc(StringRef Name) const {
return dyn_cast_or_null<GlobalIFunc>(getNamedValue(Name));
}
/// getNamedMetadata - Return the first NamedMDNode in the module with the
/// specified name. This method returns null if a NamedMDNode with the
/// specified name is not found.
NamedMDNode *Module::getNamedMetadata(const Twine &Name) const {
SmallString<256> NameData;
StringRef NameRef = Name.toStringRef(NameData);
return static_cast<StringMap<NamedMDNode*> *>(NamedMDSymTab)->lookup(NameRef);
}
/// getOrInsertNamedMetadata - Return the first named MDNode in the module
/// with the specified name. This method returns a new NamedMDNode if a
/// NamedMDNode with the specified name is not found.
NamedMDNode *Module::getOrInsertNamedMetadata(StringRef Name) {
NamedMDNode *&NMD =
(*static_cast<StringMap<NamedMDNode *> *>(NamedMDSymTab))[Name];
if (!NMD) {
NMD = new NamedMDNode(Name);
NMD->setParent(this);
NamedMDList.push_back(NMD);
}
return NMD;
}
/// eraseNamedMetadata - Remove the given NamedMDNode from this module and
/// delete it.
void Module::eraseNamedMetadata(NamedMDNode *NMD) {
static_cast<StringMap<NamedMDNode *> *>(NamedMDSymTab)->erase(NMD->getName());
NamedMDList.erase(NMD->getIterator());
}
bool Module::isValidModFlagBehavior(Metadata *MD, ModFlagBehavior &MFB) {
if (ConstantInt *Behavior = mdconst::dyn_extract_or_null<ConstantInt>(MD)) {
uint64_t Val = Behavior->getLimitedValue();
if (Val >= ModFlagBehaviorFirstVal && Val <= ModFlagBehaviorLastVal) {
MFB = static_cast<ModFlagBehavior>(Val);
return true;
}
}
return false;
}
/// getModuleFlagsMetadata - Returns the module flags in the provided vector.
void Module::
getModuleFlagsMetadata(SmallVectorImpl<ModuleFlagEntry> &Flags) const {
const NamedMDNode *ModFlags = getModuleFlagsMetadata();
if (!ModFlags) return;
for (const MDNode *Flag : ModFlags->operands()) {
ModFlagBehavior MFB;
if (Flag->getNumOperands() >= 3 &&
isValidModFlagBehavior(Flag->getOperand(0), MFB) &&
dyn_cast_or_null<MDString>(Flag->getOperand(1))) {
// Check the operands of the MDNode before accessing the operands.
// The verifier will actually catch these failures.
MDString *Key = cast<MDString>(Flag->getOperand(1));
Metadata *Val = Flag->getOperand(2);
Flags.push_back(ModuleFlagEntry(MFB, Key, Val));
}
}
}
/// Return the corresponding value if Key appears in module flags, otherwise
/// return null.
Metadata *Module::getModuleFlag(StringRef Key) const {
SmallVector<Module::ModuleFlagEntry, 8> ModuleFlags;
getModuleFlagsMetadata(ModuleFlags);
for (const ModuleFlagEntry &MFE : ModuleFlags) {
if (Key == MFE.Key->getString())
return MFE.Val;
}
return nullptr;
}
/// getModuleFlagsMetadata - Returns the NamedMDNode in the module that
/// represents module-level flags. This method returns null if there are no
/// module-level flags.
NamedMDNode *Module::getModuleFlagsMetadata() const {
return getNamedMetadata("llvm.module.flags");
}
/// getOrInsertModuleFlagsMetadata - Returns the NamedMDNode in the module that
/// represents module-level flags. If module-level flags aren't found, it
/// creates the named metadata that contains them.
NamedMDNode *Module::getOrInsertModuleFlagsMetadata() {
return getOrInsertNamedMetadata("llvm.module.flags");
}
/// addModuleFlag - Add a module-level flag to the module-level flags
/// metadata. It will create the module-level flags named metadata if it doesn't
/// already exist.
void Module::addModuleFlag(ModFlagBehavior Behavior, StringRef Key,
Metadata *Val) {
Type *Int32Ty = Type::getInt32Ty(Context);
Metadata *Ops[3] = {
ConstantAsMetadata::get(ConstantInt::get(Int32Ty, Behavior)),
MDString::get(Context, Key), Val};
getOrInsertModuleFlagsMetadata()->addOperand(MDNode::get(Context, Ops));
}
void Module::addModuleFlag(ModFlagBehavior Behavior, StringRef Key,
Constant *Val) {
addModuleFlag(Behavior, Key, ConstantAsMetadata::get(Val));
}
void Module::addModuleFlag(ModFlagBehavior Behavior, StringRef Key,
uint32_t Val) {
Type *Int32Ty = Type::getInt32Ty(Context);
addModuleFlag(Behavior, Key, ConstantInt::get(Int32Ty, Val));
}
void Module::addModuleFlag(MDNode *Node) {
assert(Node->getNumOperands() == 3 &&
"Invalid number of operands for module flag!");
assert(mdconst::hasa<ConstantInt>(Node->getOperand(0)) &&
isa<MDString>(Node->getOperand(1)) &&
"Invalid operand types for module flag!");
getOrInsertModuleFlagsMetadata()->addOperand(Node);
}
void Module::setDataLayout(StringRef Desc) {
DL.reset(Desc);
}
void Module::setDataLayout(const DataLayout &Other) { DL = Other; }
const DataLayout &Module::getDataLayout() const { return DL; }
DICompileUnit *Module::debug_compile_units_iterator::operator*() const {
return cast<DICompileUnit>(CUs->getOperand(Idx));
}
DICompileUnit *Module::debug_compile_units_iterator::operator->() const {
return cast<DICompileUnit>(CUs->getOperand(Idx));
}
void Module::debug_compile_units_iterator::SkipNoDebugCUs() {
while (CUs && (Idx < CUs->getNumOperands()) &&
((*this)->getEmissionKind() == DICompileUnit::NoDebug))
++Idx;
}
//===----------------------------------------------------------------------===//
// Methods to control the materialization of GlobalValues in the Module.
//
void Module::setMaterializer(GVMaterializer *GVM) {
assert(!Materializer &&
"Module already has a GVMaterializer. Call materializeAll"
" to clear it out before setting another one.");
Materializer.reset(GVM);
}
Error Module::materialize(GlobalValue *GV) {
if (!Materializer)
return Error::success();
return Materializer->materialize(GV);
}
Error Module::materializeAll() {
if (!Materializer)
return Error::success();
std::unique_ptr<GVMaterializer> M = std::move(Materializer);
return M->materializeModule();
}
Error Module::materializeMetadata() {
if (!Materializer)
return Error::success();
return Materializer->materializeMetadata();
}
//===----------------------------------------------------------------------===//
// Other module related stuff.
//
std::vector<StructType *> Module::getIdentifiedStructTypes() const {
// If we have a materializer, it is possible that some unread function
// uses a type that is currently not visible to a TypeFinder, so ask
// the materializer which types it created.
if (Materializer)
return Materializer->getIdentifiedStructTypes();
std::vector<StructType *> Ret;
TypeFinder SrcStructTypes;
SrcStructTypes.run(*this, true);
Ret.assign(SrcStructTypes.begin(), SrcStructTypes.end());
return Ret;
}
// dropAllReferences() - This function causes all the subelements to "let go"
// of all references that they are maintaining. This allows one to 'delete' a
// whole module at a time, even though there may be circular references... first
// all references are dropped, and all use counts go to zero. Then everything
// is deleted for real. Note that no operations are valid on an object that
// has "dropped all references", except operator delete.
//
void Module::dropAllReferences() {
for (Function &F : *this)
F.dropAllReferences();
for (GlobalVariable &GV : globals())
GV.dropAllReferences();
for (GlobalAlias &GA : aliases())
GA.dropAllReferences();
for (GlobalIFunc &GIF : ifuncs())
GIF.dropAllReferences();
}
unsigned Module::getDwarfVersion() const {
auto *Val = cast_or_null<ConstantAsMetadata>(getModuleFlag("Dwarf Version"));
if (!Val)
return 0;
return cast<ConstantInt>(Val->getValue())->getZExtValue();
}
unsigned Module::getCodeViewFlag() const {
auto *Val = cast_or_null<ConstantAsMetadata>(getModuleFlag("CodeView"));
if (!Val)
return 0;
return cast<ConstantInt>(Val->getValue())->getZExtValue();
}
Comdat *Module::getOrInsertComdat(StringRef Name) {
auto &Entry = *ComdatSymTab.insert(std::make_pair(Name, Comdat())).first;
Entry.second.Name = &Entry;
return &Entry.second;
}
PICLevel::Level Module::getPICLevel() const {
auto *Val = cast_or_null<ConstantAsMetadata>(getModuleFlag("PIC Level"));
if (!Val)
return PICLevel::NotPIC;
return static_cast<PICLevel::Level>(
cast<ConstantInt>(Val->getValue())->getZExtValue());
}
void Module::setPICLevel(PICLevel::Level PL) {
addModuleFlag(ModFlagBehavior::Error, "PIC Level", PL);
}
PIELevel::Level Module::getPIELevel() const {
auto *Val = cast_or_null<ConstantAsMetadata>(getModuleFlag("PIE Level"));
if (!Val)
return PIELevel::Default;
return static_cast<PIELevel::Level>(
cast<ConstantInt>(Val->getValue())->getZExtValue());
}
void Module::setPIELevel(PIELevel::Level PL) {
addModuleFlag(ModFlagBehavior::Error, "PIE Level", PL);
}
void Module::setProfileSummary(Metadata *M) {
addModuleFlag(ModFlagBehavior::Error, "ProfileSummary", M);
}
Metadata *Module::getProfileSummary() {
return getModuleFlag("ProfileSummary");
}
void Module::setOwnedMemoryBuffer(std::unique_ptr<MemoryBuffer> MB) {
OwnedMemoryBuffer = std::move(MB);
}
GlobalVariable *llvm::collectUsedGlobalVariables(
const Module &M, SmallPtrSetImpl<GlobalValue *> &Set, bool CompilerUsed) {
const char *Name = CompilerUsed ? "llvm.compiler.used" : "llvm.used";
GlobalVariable *GV = M.getGlobalVariable(Name);
if (!GV || !GV->hasInitializer())
return GV;
const ConstantArray *Init = cast<ConstantArray>(GV->getInitializer());
for (Value *Op : Init->operands()) {
GlobalValue *G = cast<GlobalValue>(Op->stripPointerCastsNoFollowAliases());
Set.insert(G);
}
return GV;
}
| [
"gregory@comp.nus.edu.sg"
] | gregory@comp.nus.edu.sg |
c0d05f00af8acfe0e06e49a2dd967bdff9f339cd | 2016ee094f4074a2e9f5bd1e1f9ded2ba9cbeb5d | /Source/ToonTanks/Components/AimingComponent.cpp | 8941442ca8e18045f182979b9a852b0845742a18 | [] | no_license | Vicante/ToonTanks | f1fa9bd292048fad32ee6d345f2288f3018a0d70 | 3aacc991f33b3a7b785957e09d93740eaf6c1585 | refs/heads/master | 2023-03-08T02:53:19.003034 | 2021-02-22T15:11:28 | 2021-02-22T15:11:28 | 293,531,384 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,770 | cpp | // Fill out your copyright notice in the Description page of Project Settings.
#include "AimingComponent.h"
#include "../Actors/ProjectileBase.h"
#include "../Pawns/PawnBase.h"
// Sets default values for this component's properties
UAimingComponent::UAimingComponent()
{
// Set this component to be initialized when the game starts, and to be ticked every frame. You can turn these features
// off to improve performance if you don't need them.
PrimaryComponentTick.bCanEverTick = false;
}
// Called when the game starts
void UAimingComponent::BeginPlay()
{
Super::BeginPlay();
OwnerPawn = Cast<APawnBase>(GetOwner());
// ...
TurretMesh = OwnerPawn->GetTurretMesh();
}
void UAimingComponent::RotateTurret(FVector LookAtTarget)
{
FVector LookAtTargetCleaned = FVector(LookAtTarget.X, LookAtTarget.Y, TurretMesh->GetComponentLocation().Z);
FRotator TurretRotation = FVector(LookAtTargetCleaned - TurretMesh->GetComponentLocation()).Rotation();
TurretMesh->SetWorldRotation(TurretRotation);
}
void UAimingComponent::Fire()
{
if (ProjectileClass)
{
FVector SpawnLocation = OwnerPawn->GetProjectileSpawnPoint()->GetComponentLocation();
FRotator SpawnRotation = OwnerPawn->GetProjectileSpawnPoint()->GetComponentRotation();
AProjectileBase* TempProjectile = GetWorld()->SpawnActor<AProjectileBase>(ProjectileClass, SpawnLocation, SpawnRotation);
TempProjectile->SetOwner(OwnerPawn);
}
}
float UAimingComponent::GetFireRate() const
{
return FireRate;
}
float UAimingComponent::GetFireRange() const
{
return FireRange;
}
// Called every frame
void UAimingComponent::TickComponent(float DeltaTime, ELevelTick TickType, FActorComponentTickFunction* ThisTickFunction)
{
Super::TickComponent(DeltaTime, TickType, ThisTickFunction);
// ...
}
| [
"victor.portusil0@gmail.com"
] | victor.portusil0@gmail.com |
b05b4b4517932128ec0a05463a4f736989b501ac | 5fec7d44d0282d6ba3e82e5dbc0af0fa125d2396 | /src/utils/Document.cpp | 786b553a750aeccf7821f9d8907e73aca72ada09 | [] | no_license | smartel99/UsirTP | 1fe6b8580ff31880678711d5b76561f52cc00988 | f22bb69021cf06a4e7ff1e44188058680f90c9cf | refs/heads/master | 2021-11-11T11:06:53.740921 | 2021-11-01T14:01:57 | 2021-11-01T14:01:57 | 234,775,965 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 15,543 | cpp | #include "Document.h"
#include "imgui/imgui.h"
#include "utils/StringUtils.h"
#include "widgets/Popup.h"
#include <string>
#include <fstream>
#include <filesystem>
/**
* @brief Load the file `path` and creates an instance of Document from it.
* @param path: The path of the Document to open.
* @retval An instance of Document.
*/
Document::Document(const std::wstring path)
{
m_FilePath = path;
// Load the file into a file buffer.
std::ifstream rawData;
rawData.open(path);
// If the file couldn't be opened:
if (rawData.is_open() == false)
{
// Mark the Document as closed and return.
Open = false;
return;
}
// Load the file's content into memory.
std::string line;
// For as long as there are lines of text to read in the file:
while (std::getline(rawData, line))
{
// Add the newly read line to the Document's file buffer.
m_FileData.emplace_back(line);
}
// Close the file.
rawData.close();
// Get the name of the file from its path.
m_FileName = StringUtils::GetFullNameFromPath(m_FilePath);
Open = true;
}
Document Document::DoOpen()
{
return Document(m_FilePath);
}
void Document::DoClose()
{
m_WantClose = true;
}
void Document::DoForceClose()
{
// Empty the data buffer.
m_FileData.clear();
Open = false;
}
void Document::DoSave()
{
// Open the file in output mode.
std::ofstream file;
file.open(m_FilePath);
// If unable to open the file:
if (file.is_open() == false)
{
// Warn the user.
Popup::Init("Error");
Popup::AddCall(Popup::Text, "Unable to open file to save!");
return;
}
// For each lines in the Document's buffer:
for (const std::string& line : m_FileData)
{
// Write that line into the file.
file << line;
}
// Close the file.
file.close();
// Mark the Document as clean since all changes have been saved.
m_Dirty = false;
}
void Document::DisplayContents()
{
// Push the Document on the Imgui stack so it is its "own thing"
// I'm honestly not too sure about this one.
ImGui::PushID(this);
// Change the color of the text to white on the Imgui stack.
ImGui::PushStyleColor(ImGuiCol_Text, ImVec4(1.f, 1.f, 1.f, 1.f));
// For each line in the Document's buffer:
for (std::string line : m_FileData)
{
// Replace all `%` by `%%`.
// We have to do this because `Imgui::Text` uses a printf-like
// formatting to the string received in parameter.
// Not changing those `%` causes the function to expects
// variadic arguments to be present on the stack, which there aren't,
// causing undesired behavior when displaying the text.
//
// Another solution would have been to just use `ImGui::TextUnformatted` instead.
line = StringUtils::ReplaceAll(line, "%", "%%");
ImGui::Text(line.c_str());
}
// Pop the text color we pushed on the Imgui stack previously.
ImGui::PopStyleColor();
// If the user has clicked on the `Modify` button:
if (ImGui::Button("Modify", ImVec2(100, 100)))
{
// Mark the Document as dirty.
m_Dirty = true;
}
// Draw the next ImGui item on the same line as the previous one.
ImGui::SameLine();
// If the user as clicked on the `Save` button:
if (ImGui::Button("Save", ImVec2(100, 100)))
{
// Save the Document.
DoSave();
}
// Pop the Document from the ImGui stack.
ImGui::PopID();
}
void Document::DisplayContextMenu()
{
// If the pop up should be rendered (the user has done the action that opens it):
if (ImGui::BeginPopupContextItem())
{
// Create the save label.
std::string save = "Save " + m_FileName;
// If the user has clicked on the save option:
if (ImGui::MenuItem(save.c_str(), "CTRL+S", false, Open))
{
// Save the Document.
DoSave();
}
// If the user has clicked on the close option:
if (ImGui::MenuItem("Close", "CTRL+W", false, Open))
{
// Close the Document.
DoClose();
}
// End the pop up.
ImGui::EndPopup();
}
}
namespace File
{
/**
* @brief Open a file dialog made by the OS and let the user select a file to be opened.
* @param filePath: A reference to a `std::wstring` in which the chosen file's path will be stored.
* @param type: The default type of files to display in the dialog.
* @param ext: A const wchar* containing the default extension of the files to display by default.
* @retval The `HRESULT` of the operation.
*
* @note This function is copied from an example provided by Microsoft, thus the abnormal structure.
* The comments are also copied from that example.
*
* @note To construct a `LPCWSTR`, you can do `L"My LPCWSTR"`.
*/
HRESULT OpenFile(std::wstring& filePath, FileType type, LPCWSTR ext)
{
// CoCreate the File Open Dialog object.
IFileDialog* pfd = nullptr;
HRESULT hr = CoCreateInstance(CLSID_FileOpenDialog, nullptr,
CLSCTX_INPROC_SERVER, IID_PPV_ARGS(&pfd));
if (SUCCEEDED(hr))
{
// Create an event handling object, and hook it up to the dialog.
IFileDialogEvents* pfde = nullptr;
hr = CDialogEventHandler_CreateInstance(IID_PPV_ARGS(&pfde));
if (SUCCEEDED(hr))
{
// Hook up the event handler.
DWORD dwCookie;
hr = pfd->Advise(pfde, &dwCookie);
if (SUCCEEDED(hr))
{
// Set up the options on the dialog.
DWORD dwFlags;
// Before setting, always get the options first
// to avoid overwriting existing options.
hr = pfd->GetOptions(&dwFlags);
if (SUCCEEDED(hr))
{
// Set the file types to display only.
hr = pfd->SetFileTypes(ARRAYSIZE(c_rgSaveTypes),
c_rgSaveTypes);
if (SUCCEEDED(hr))
{
// Set the selected file type index to Script.
hr = pfd->SetFileTypeIndex(UINT(type));
if (SUCCEEDED(hr))
{
// Set the default extension to be ".s"
hr = pfd->SetDefaultExtension(ext);
if (SUCCEEDED(hr))
{
// Show the dialog.
hr = pfd->Show(nullptr);
if (SUCCEEDED(hr))
{
// Obtain the result, once the user
// clicks the 'Open' button.
// The result is an IShellItem object.
IShellItem* psiResult;
hr = pfd->GetResult(&psiResult);
if (SUCCEEDED(hr))
{
// Do the things we want to do.
PWSTR pszFilePath = nullptr;
hr = psiResult->GetDisplayName(
SIGDN_FILESYSPATH, &pszFilePath);
if (SUCCEEDED(hr))
{
filePath = pszFilePath;
CoTaskMemFree(pszFilePath);
}
psiResult->Release();
}
}
}
}
}
}
// Unhook the event handler.
pfd->Unadvise(dwCookie);
}
pfde->Release();
}
pfd->Release();
}
return hr;
}
/**
* @brief Open a file dialog made by the OS and let the user select a file to be used for the save operation.
* @param filePath: A reference to a `std::wstring` in which the chosen file's path will be stored.
* @param type: The default type of files to display in the dialog.
* @param ext: A const wchar* containing the default extension of the files to display by default.
* @retval The `HRESULT` of the operation.
*
* @note This function is copied from an example provided by Microsoft, thus the abnormal structure.
* The comments are also copied from that example.
*
* @note To construct a `LPCWSTR`, you can do `L"My LPCWSTR"`.
*/
HRESULT SaveFile(std::wstring& filePath, FileType type, LPCWSTR ext)
{
// CoCreate the File Open Dialog object.
IFileDialog* pfd = nullptr;
HRESULT hr = CoCreateInstance(CLSID_FileSaveDialog, nullptr,
CLSCTX_INPROC_SERVER, IID_PPV_ARGS(&pfd));
if (SUCCEEDED(hr))
{
// Create an event handling object, and hook it up to the dialog.
IFileDialogEvents* pfde = nullptr;
hr = CDialogEventHandler_CreateInstance(IID_PPV_ARGS(&pfde));
if (SUCCEEDED(hr))
{
// Hook up the event handler.
DWORD dwCookie;
hr = pfd->Advise(pfde, &dwCookie);
if (SUCCEEDED(hr))
{
// Set up the options on the dialog.
DWORD dwFlags;
// Before setting, always get the options first
// to avoid overwriting existing options.
hr = pfd->GetOptions(&dwFlags);
if (SUCCEEDED(hr))
{
// Set the file types to display only.
hr = pfd->SetFileTypes(ARRAYSIZE(c_rgSaveTypes),
c_rgSaveTypes);
if (SUCCEEDED(hr))
{
// Set the selected file type index to Script.
hr = pfd->SetFileTypeIndex(UINT(type));
if (SUCCEEDED(hr))
{
// Set the default extension to be ".s"
hr = pfd->SetDefaultExtension(ext);
if (SUCCEEDED(hr))
{
// Show the dialog.
hr = pfd->Show(nullptr);
if (SUCCEEDED(hr))
{
// Obtain the result, once the user
// clicks the 'Open' button.
// The result is an IShellItem object.
IShellItem* psiResult;
hr = pfd->GetResult(&psiResult);
if (SUCCEEDED(hr))
{
// Do the things we want to do.
PWSTR pszFilePath = nullptr;
hr = psiResult->GetDisplayName(
SIGDN_FILESYSPATH, &pszFilePath);
if (SUCCEEDED(hr))
{
filePath = pszFilePath;
CoTaskMemFree(pszFilePath);
}
psiResult->Release();
}
}
}
}
}
}
// Unhook the event handler.
pfd->Unadvise(dwCookie);
}
pfde->Release();
}
pfd->Release();
}
return hr;
}
/**
* @brief Get the path from which the program is currently running.
* This is the path where `UsirTP.exe` is being run from.
* @param path: A reference to a string in which the path will be stored.
* @reval The number of characters in `path`.
*/
DWORD GetCurrentPath(std::string& path)
{
// MAX_PATH -> The maximum length for a path defined by the Windows API.
char lpFilename[MAX_PATH];
// Get the complete file name (path + file name) of the program.
DWORD nSize = GetModuleFileNameA(nullptr, lpFilename, MAX_PATH);
path = lpFilename;
return nSize;
}
/**
* @brief Get the path from which the program is currently running from,
* with the name of the executable removed.
* @param None
* @retval The path.
*/
std::string GetCurrentPath()
{
std::string path = "";
// Get the complete path.
GetCurrentPath(path);
// Remove the name of the exe from that path.
return StringUtils::RemoveNameFromPath(path);
}
/**
* @brief Create an absolute path for `file` by using the current path.
* @param file: The relative path of the desired file. This will be concatenated to the current path.
* @retval The absolute path of the file
*
* @note This function only generates an absolute path. It is up to the caller to check if
* that path is valid.
*/
std::string GetPathOfFile(const std::string& file)
{
std::string path = "";
// Get the current path.
GetCurrentPath(path);
// Remove the name of the exe from the path.
path = StringUtils::RemoveNameFromPath(path);
// Concatenate `file` to the path.
return path + file;
}
/**
* @brief Check if a file is empty.
* @param pFile: A file stream of the file to check.
* @retval `true` if the file is empty, `false` otherwise.
*/
bool IsEmpty(std::fstream& pFile)
{
return pFile.peek() == std::ifstream::traits_type::eof();
}
/**
* @struct path_lead_string
* @brief Struct that does something with a path, I honestly don't remember what.
* It wouldn't be hard for you to check out what `directory_entry` is though ;)
*/
struct path_leaf_string
{
std::string operator()(const std::filesystem::directory_entry& entry) const
{
return entry.path().string();
}
};
/**
* @brief Get all the files contained in a directory and its directories.
* @param dirPath: The directory to get the files from.
* @retval A `std::vector<std::string>` containing all the files found.
*/
std::vector<std::string> GetFilesInDir(const std::string& dirPath)
{
std::vector<std::string> files;
GetFilesInDir(dirPath, files);
return files;
}
/**
* @brief Get all the files contained in a directory and its directories.
* @param dirPath: The directory to get the files from.
* @param files: A reference where all the files found will be stored.
* @retval None
*/
void GetFilesInDir(const std::string& dirPath, std::vector<std::string>& files)
{
std::filesystem::path p(dirPath);
try
{
std::filesystem::directory_iterator start(p);
std::filesystem::directory_iterator end;
std::transform(start, end, std::back_inserter(files), path_leaf_string());
}
catch (std::filesystem::filesystem_error)
{
files.clear();
}
}
}
| [
"martelsamuel00@gmail.com"
] | martelsamuel00@gmail.com |
1439b46fb2761ef49908fb400d05e3f6b58765f2 | eb5d15764ed4d88512d849461abbd1515b47c24c | /cryptonote/external/rocksdb/utilities/blob_db/blob_log_format.cc | 6917a290f37927f1c24ed3dece6e72a4143a16f9 | [
"LGPL-3.0-only",
"Apache-2.0",
"GPL-2.0-only",
"BSD-3-Clause",
"GPL-3.0-only"
] | permissive | theboldtoken/bold | 4e74e2ef43f103ad8795892450918399030b32db | 3015bc90fedebec106ff28f0d49ea72d147a98fe | refs/heads/master | 2020-03-22T00:01:22.499231 | 2019-09-29T05:48:10 | 2019-09-29T05:48:10 | 117,006,837 | 0 | 1 | MIT | 2018-01-10T22:47:39 | 2018-01-10T20:24:35 | null | UTF-8 | C++ | false | false | 8,099 | cc | // Copyright (c) 2011-present, Facebook, Inc. All rights reserved.
// This source code is licensed under both the GPLv2 (found in the
// COPYING file in the root directory) and Apache 2.0 License
// (found in the LICENSE.Apache file in the root directory).
//
#ifndef ROCKSDB_LITE
#include "utilities/blob_db/blob_log_format.h"
#include "util/coding.h"
#include "util/crc32c.h"
namespace rocksdb {
namespace blob_db {
const uint32_t kMagicNumber = 2395959;
const uint32_t kVersion1 = 1;
const size_t kBlockSize = 32768;
BlobLogHeader::BlobLogHeader()
: magic_number_(kMagicNumber), compression_(kNoCompression) {}
BlobLogHeader& BlobLogHeader::operator=(BlobLogHeader&& in) noexcept {
if (this != &in) {
magic_number_ = in.magic_number_;
version_ = in.version_;
ttl_guess_ = std::move(in.ttl_guess_);
ts_guess_ = std::move(in.ts_guess_);
compression_ = in.compression_;
}
return *this;
}
BlobLogFooter::BlobLogFooter() : magic_number_(kMagicNumber), blob_count_(0) {}
Status BlobLogFooter::DecodeFrom(const Slice& input) {
Slice slice(input);
uint32_t val;
if (!GetFixed32(&slice, &val)) {
return Status::Corruption("Invalid Blob Footer: flags");
}
bool has_ttl = false;
bool has_ts = false;
val >>= 8;
RecordSubType st = static_cast<RecordSubType>(val);
switch (st) {
case kRegularType:
break;
case kTTLType:
has_ttl = true;
break;
case kTimestampType:
has_ts = true;
break;
default:
return Status::Corruption("Invalid Blob Footer: flags_val");
}
if (!GetFixed64(&slice, &blob_count_)) {
return Status::Corruption("Invalid Blob Footer: blob_count");
}
ttlrange_t temp_ttl;
if (!GetFixed32(&slice, &temp_ttl.first) ||
!GetFixed32(&slice, &temp_ttl.second)) {
return Status::Corruption("Invalid Blob Footer: ttl_range");
}
if (has_ttl) {
ttl_range_.reset(new ttlrange_t(temp_ttl));
}
if (!GetFixed64(&slice, &sn_range_.first) ||
!GetFixed64(&slice, &sn_range_.second)) {
return Status::Corruption("Invalid Blob Footer: sn_range");
}
tsrange_t temp_ts;
if (!GetFixed64(&slice, &temp_ts.first) ||
!GetFixed64(&slice, &temp_ts.second)) {
return Status::Corruption("Invalid Blob Footer: ts_range");
}
if (has_ts) {
ts_range_.reset(new tsrange_t(temp_ts));
}
if (!GetFixed32(&slice, &magic_number_) || magic_number_ != kMagicNumber) {
return Status::Corruption("Invalid Blob Footer: magic");
}
return Status::OK();
}
void BlobLogFooter::EncodeTo(std::string* dst) const {
dst->reserve(kFooterSize);
RecordType rt = kFullType;
RecordSubType st = kRegularType;
if (HasTTL()) {
st = kTTLType;
} else if (HasTimestamp()) {
st = kTimestampType;
}
uint32_t val = static_cast<uint32_t>(rt) | (static_cast<uint32_t>(st) << 8);
PutFixed32(dst, val);
PutFixed64(dst, blob_count_);
bool has_ttl = HasTTL();
bool has_ts = HasTimestamp();
if (has_ttl) {
PutFixed32(dst, ttl_range_.get()->first);
PutFixed32(dst, ttl_range_.get()->second);
} else {
PutFixed32(dst, 0);
PutFixed32(dst, 0);
}
PutFixed64(dst, sn_range_.first);
PutFixed64(dst, sn_range_.second);
if (has_ts) {
PutFixed64(dst, ts_range_.get()->first);
PutFixed64(dst, ts_range_.get()->second);
} else {
PutFixed64(dst, 0);
PutFixed64(dst, 0);
}
PutFixed32(dst, magic_number_);
}
void BlobLogHeader::EncodeTo(std::string* dst) const {
dst->reserve(kHeaderSize);
PutFixed32(dst, magic_number_);
PutFixed32(dst, version_);
RecordSubType st = kRegularType;
bool has_ttl = HasTTL();
bool has_ts = HasTimestamp();
if (has_ttl) {
st = kTTLType;
} else if (has_ts) {
st = kTimestampType;
}
uint32_t val =
static_cast<uint32_t>(st) | (static_cast<uint32_t>(compression_) << 8);
PutFixed32(dst, val);
if (has_ttl) {
PutFixed32(dst, ttl_guess_.get()->first);
PutFixed32(dst, ttl_guess_.get()->second);
} else {
PutFixed32(dst, 0);
PutFixed32(dst, 0);
}
if (has_ts) {
PutFixed64(dst, ts_guess_.get()->first);
PutFixed64(dst, ts_guess_.get()->second);
} else {
PutFixed64(dst, 0);
PutFixed64(dst, 0);
}
}
Status BlobLogHeader::DecodeFrom(const Slice& input) {
Slice slice(input);
if (!GetFixed32(&slice, &magic_number_) || magic_number_ != kMagicNumber) {
return Status::Corruption("Invalid Blob Log Header: magic");
}
// as of today, we only support 1 version
if (!GetFixed32(&slice, &version_) || version_ != kVersion1) {
return Status::Corruption("Invalid Blob Log Header: version");
}
uint32_t val;
if (!GetFixed32(&slice, &val)) {
return Status::Corruption("Invalid Blob Log Header: subtype");
}
bool has_ttl = false;
bool has_ts = false;
RecordSubType st = static_cast<RecordSubType>(val & 0xff);
compression_ = static_cast<CompressionType>((val >> 8) & 0xff);
switch (st) {
case kRegularType:
break;
case kTTLType:
has_ttl = true;
break;
case kTimestampType:
has_ts = true;
break;
default:
return Status::Corruption("Invalid Blob Log Header: subtype_2");
}
ttlrange_t temp_ttl;
if (!GetFixed32(&slice, &temp_ttl.first) ||
!GetFixed32(&slice, &temp_ttl.second)) {
return Status::Corruption("Invalid Blob Log Header: ttl");
}
if (has_ttl) set_ttl_guess(temp_ttl);
tsrange_t temp_ts;
if (!GetFixed64(&slice, &temp_ts.first) ||
!GetFixed64(&slice, &temp_ts.second)) {
return Status::Corruption("Invalid Blob Log Header: timestamp");
}
if (has_ts) set_ts_guess(temp_ts);
return Status::OK();
}
BlobLogRecord::BlobLogRecord()
: checksum_(0),
header_cksum_(0),
key_size_(0),
blob_size_(0),
time_val_(0),
ttl_val_(0),
sn_(0),
type_(0),
subtype_(0) {}
BlobLogRecord::~BlobLogRecord() {}
void BlobLogRecord::ResizeKeyBuffer(size_t kbs) {
if (kbs > key_buffer_.size()) {
key_buffer_.resize(kbs);
}
}
void BlobLogRecord::ResizeBlobBuffer(size_t bbs) {
if (bbs > blob_buffer_.size()) {
blob_buffer_.resize(bbs);
}
}
void BlobLogRecord::Clear() {
checksum_ = 0;
header_cksum_ = 0;
key_size_ = 0;
blob_size_ = 0;
time_val_ = 0;
ttl_val_ = 0;
sn_ = 0;
type_ = subtype_ = 0;
key_.clear();
blob_.clear();
}
Status BlobLogRecord::DecodeHeaderFrom(const Slice& hdrslice) {
Slice input = hdrslice;
if (input.size() < kHeaderSize) {
return Status::Corruption("Invalid Blob Record Header: size");
}
if (!GetFixed32(&input, &key_size_)) {
return Status::Corruption("Invalid Blob Record Header: key_size");
}
if (!GetFixed64(&input, &blob_size_)) {
return Status::Corruption("Invalid Blob Record Header: blob_size");
}
if (!GetFixed32(&input, &ttl_val_)) {
return Status::Corruption("Invalid Blob Record Header: ttl_val");
}
if (!GetFixed64(&input, &time_val_)) {
return Status::Corruption("Invalid Blob Record Header: time_val");
}
type_ = *(input.data());
input.remove_prefix(1);
subtype_ = *(input.data());
input.remove_prefix(1);
if (!GetFixed32(&input, &header_cksum_)) {
return Status::Corruption("Invalid Blob Record Header: header_cksum");
}
if (!GetFixed32(&input, &checksum_)) {
return Status::Corruption("Invalid Blob Record Header: checksum");
}
return Status::OK();
}
Status BlobLogRecord::DecodeFooterFrom(const Slice& footerslice) {
Slice input = footerslice;
if (input.size() < kFooterSize) {
return Status::Corruption("Invalid Blob Record Footer: size");
}
uint32_t f_crc = crc32c::Extend(0, input.data(), 8);
f_crc = crc32c::Mask(f_crc);
if (!GetFixed64(&input, &sn_)) {
return Status::Corruption("Invalid Blob Record Footer: sn");
}
if (!GetFixed32(&input, &footer_cksum_)) {
return Status::Corruption("Invalid Blob Record Footer: cksum");
}
if (f_crc != footer_cksum_) {
return Status::Corruption("Record Checksum mismatch: footer_cksum");
}
return Status::OK();
}
} // namespace blob_db
} // namespace rocksdb
#endif // ROCKSDB_LITE
| [
"dev1@boldtoken.io"
] | dev1@boldtoken.io |
2fdfebd8187a70038cb704f71c8f72898f22c668 | e2d5dcfe382ab147c18cbe3e1d6a55fb78eead4f | /SAM/MainMenuScene.h | 22d08e10d5fe7b877ccd5a08a3ccec51d799bfe2 | [] | no_license | kyungthe/SamKukJi | e341bb62b27201cf7be314d6529f33306ce80410 | 9d478c450eea059dc34d2a5a4fa21d27b4612ed5 | refs/heads/master | 2020-03-16T06:42:17.353049 | 2018-05-08T06:25:40 | 2018-05-08T06:25:40 | 132,554,491 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 340 | h | #ifndef _MAINMENU_H_
#define _MAINMENU_H_
#include "Scene.h"
class MainMenuScene : public Scene
{
public:
MainMenuScene() {}
virtual ~MainMenuScene();
virtual void Initialize() override;
virtual void Update() override;
virtual void Draw(HDC hDC, int x, int y) override;
virtual void Release() override;
};
#endif // !_MAINMENU_H_
| [
"myungthe@naver.com"
] | myungthe@naver.com |
918320581c60a65f76e0cd3357567b6c4e18a1ed | 2c697c6ef0345cc4575413ea0b1f210428a1ff22 | /TableDataModel.h | e239e50cff846befd8e777135cca10566cff152d | [] | no_license | mphilippov-omp/TableViewer | d31253f68a948c0c327a5b9c19beb817a5fcac3b | b231691134c9757f8eb5d6cf5be8907ee9227af8 | refs/heads/master | 2021-01-04T19:01:03.894198 | 2020-02-15T13:49:32 | 2020-02-15T13:49:32 | 240,717,877 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 267 | h | #ifndef TABLEDATAMODEL_H
#define TABLEDATAMODEL_H
#include <QHash>
#include <QStandardItemModel>
class TableDataModel : public QStandardItemModel
{
public:
TableDataModel();
QHash<int, QByteArray> roleNames() const override;
};
#endif // TABLEDATAMODEL_H
| [
"m.filippov@omprussia.ru"
] | m.filippov@omprussia.ru |
0c97630fdbd638c258bbb36e838d37bd6282cba1 | 6f7675d3e51822938a79820687bcf472c03f70b5 | /Hash/count-max-points-on-same-line.cpp | 6e7b3ce895740083ca516121c68cd87aae217d5f | [] | no_license | notreallystatic/competitive-programming | ed70da03eaa92613d75fae492d7aa1f3898b3638 | d9d8a147d09d8b9b295d141d8573e15a1caceb78 | refs/heads/master | 2023-06-08T18:27:36.733477 | 2021-06-29T08:38:16 | 2021-06-29T08:38:16 | 265,746,611 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,254 | cpp | /*
Author : sk92907
github:https://github.com/notreallystatic
linkedin : https://www.linkedin.com/in/notreallystatic/
*/
/*
Problem Statement:
Given N point on a 2D plane as pair of (x, y) co-ordinates, we need to find maximum number of point which lie on the same line.
Link:
https://www.geeksforgeeks.org/count-maximum-points-on-same-line/
Input:
6
-1 1
0 0
1 1
2 2
3 3
3 4
Output:
4
*/
#include <iostream>
#include <stdlib.h>
#include <numeric>
#include <stdio.h>
#include <algorithm>
#include <string>
#include <vector>
#include <set>
#include <unordered_map>
#include <map>
#include <unordered_set>
#include <stack>
#include <queue>
#include <list>
#include <limits.h>
#include <bitset>
#include <random>
using namespace std;
// Custom hash function to get a key from a pair of integers
struct hash_pair
{
template <class T1, class T2>
size_t operator()(const pair<T1, T2> &p) const
{
auto hash1 = hash<T1>{}(p.first);
auto hash2 = hash<T2>{}(p.second);
return hash1 ^ hash2;
}
};
void maxPoints(vector<pair<int, int>> &points)
{
unordered_map<pair<int, int>, int, hash_pair> mp;
int result(0), curMax, overlap, vertical;
for (int i = 0; i < points.size(); ++i)
{
curMax = overlap = vertical = 0;
int x1(points[i].first), y1(points[i].second);
for (int j = i + 1; j < points.size(); ++j)
{
int x2(points[j].first), y2(points[j].second);
// Pointes are overlapped
if (x1 == x2 && y1 == y2)
{
++overlap;
}
// Slope is 90deg.
else if (x1 == x2)
{
++vertical;
}
else
{
pair<int, int> slope = {y2 - y1, x2 - x1};
int gcd = __gcd(slope.first, slope.second);
slope.first /= gcd;
slope.second /= gcd;
++mp[slope];
curMax = max(curMax, mp[slope]);
}
curMax = max(curMax, vertical);
}
result = max(result, curMax + overlap + 1);
mp.clear();
}
cout << result << endl;
}
void solve()
{
int n, x, y;
cin >> n;
vector<pair<int, int>> points(n);
for (auto &x : points)
cin >> x.first >> x.second;
maxPoints(points);
}
int32_t main()
{
ios_base::sync_with_stdio(false);
cin.tie(NULL);
cout.tie(NULL);
solve();
return 0;
} | [
"sk92907@gmail.com"
] | sk92907@gmail.com |
126041edef26e5ffb3cf698c49b029f42f0c1da6 | c73bacdcbed450341e8f27abeff623a5c7078fd0 | /src/spt_relais.h | f649af3e88f097e6f6d15fc8a541245da1a4d99c | [] | no_license | StephanePa/WateringArduinoMega | a8abd10de4b5394e92a5d2587c1e26220f69aee8 | 3e968777e9076b3a7ac6d9c7a5bbea6b0392313a | refs/heads/main | 2023-05-05T23:09:07.780312 | 2021-05-21T13:12:49 | 2021-05-21T13:12:49 | 367,285,734 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,864 | h | ///////////////////////////////////////////////////////////////////////////////
// File spt_relais.h
// Creation date: 2017/09/08
///////////////////////////////////////////////////////////////////////////////
#ifndef SPT_RELAIS_H
#define SPT_RELAIS_H
#include "spt_definition.h"
#include <arduino.h>
//#include "spt_tcpserver.h"
//#include <PubSubClient.h>
///////////////////////////////////////////////////////////////////////////////
// Power on/off definition
///////////////////////////////////////////////////////////////////////////////
#define PowerOn LOW
#define PowerOff HIGH
///////////////////////////////////////////////////////////////////////////////
struct CPowerSupply_DataConfig
{
int Id;
int Pin;
};
///////////////////////////////////////////////////////////////////////////////
// Class CPowerSupply
///////////////////////////////////////////////////////////////////////////////
class CPowerSupply
{
public:
// Constructor
CPowerSupply();
// Reset class function
void Reset();
// Init class function
void Init(CPowerSupply_DataConfig dataconig, int OnOff = PowerOff);
void Init(int id, int outputPin, int OnOff = PowerOff);
// On & Off function
void On(bool senddata=true);
void Off(bool senddata=true);
protected:
// Format and send on/off feedback function to TCP/IP client(s)
void SendDataToNetwork();
// pointer to the arduino TCP/IP server
//spt_tcpserver *wifiPtr;
//PubSubClient *MQTT_Client;
// Arduino output pin
int OutputPin;
// Power Supply State (PowerOn or PowerOff state)
int State;
// PowerSupply Id
int Id;
static String str_payload,str_topic;
};
///////////////////////////////////////////////////////////////////////////////
#endif // SPT_RELAIS_H
| [
"noreply@github.com"
] | noreply@github.com |
9b86f3cf150b40568832e507ef08be0d1f8a1543 | d72e2f40a38ca09760fb202576e893cb6cb7e299 | /src/graph.cpp | 32b518c6b5671fb82e1fd02f5bb8181614d5d3e5 | [] | no_license | zoulianmp/Radiotherapy | b75bcd77dc95dffd5af0b09ce2343113e71b0978 | 6c9a53bca5df1b75ad49a0f8e331cc858344fde4 | refs/heads/master | 2021-01-21T09:07:01.899930 | 2013-04-24T00:18:24 | 2013-04-24T00:18:24 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,967 | cpp | #include "graph.h"
Graph::Graph(string graphname, int window_width, int window_height,
double left, double right, double bottom, double top) :
sf::RenderWindow(sf::VideoMode(window_width, window_height), graphname)
{
this->setActive(true);
red = 255;
blue = 0;
green = 0;
points = 200;
xZero = (2./(right-left))*(-left) - 1.;
yZero = (2./(top-bottom))*(-bottom) -1.;
xScale = 2./(right-left);
yScale = 2./(top-bottom);
rr = right;
ll = left;
tt = top;
bb = bottom;
// create axes
xAxis.resize(6);
yAxis.resize(6);
xAxis[0] = float(convertX(ll - 1.)); xAxis[1] = float(convertY(0.)); xAxis[2] = AXIS_DEPTH;
xAxis[3] = float(convertX(rr + 1.)); xAxis[4] = float(convertY(0.)); xAxis[5] = AXIS_DEPTH;
yAxis[0] = float(convertX(0.f)); yAxis[1] = float(convertY(bb-1.)); yAxis[2] = AXIS_DEPTH;
yAxis[3] = float(convertX(0.f)); yAxis[4] = float(convertY(tt+1.)); yAxis[5] = AXIS_DEPTH;
// init GL
glShadeModel(GL_SMOOTH);
glPixelStorei(GL_UNPACK_ALIGNMENT, 4);
glHint(GL_PERSPECTIVE_CORRECTION_HINT, GL_NICEST);
glEnable(GL_DEPTH_TEST);
//glEnable(GL_LIGHTING);
glEnable(GL_TEXTURE_2D);
glEnable(GL_CULL_FACE);
this->setActive(false);
}
/*
void Graph::operator= (const Graph & arg)
{
xRange = arg.xRange;
yRange = arg.yRange;
xScale = arg.xScale;
yScale = arg.yScale;
xZero = arg.xZero;
yZero = arg.yZero;
rr = arg.rr;
ll = arg.ll;
tt = arg.tt;
bb = arg.bb;
points = arg.points;
verts = arg.verts;
xAxis = arg.xAxis;
yAxis = arg.yAxis;
colors = arg.colors;
red = arg.red;
green = arg.green;
blue = arg.blue;
} */
Graph::~Graph()
{
}
void Graph::update()
{
this->setActive(true);
// handle events
sf::Event event;
while(this->pollEvent(event))
{
if(event.type == sf::Event::Closed){
this->close();
}
}
// draw
glClear(GL_DEPTH_BUFFER_BIT | GL_COLOR_BUFFER_BIT);
// draw axes
glColor3f(255.f, 255.f, 255.f);
// x
glEnableClientState(GL_VERTEX_ARRAY);
glVertexPointer(3, GL_FLOAT, 0, &xAxis[0]);
glPushMatrix();
glDrawArrays(GL_LINES, 0, GLsizei(xAxis.size()/3));
glPopMatrix();
glDisableClientState(GL_VERTEX_ARRAY);
// y
glEnableClientState(GL_VERTEX_ARRAY);
glVertexPointer(3, GL_FLOAT, 0, &yAxis[0]);
glPushMatrix();
glDrawArrays(GL_LINES, 0, GLsizei(yAxis.size()/3));
glPopMatrix();
glDisableClientState(GL_VERTEX_ARRAY);
// draw graphs
for(unsigned int i=0;i<verts.size();++i)
{
//glColor3fv( &colors[i][0] );
glColor3f(colors[i][0], colors[i][1], colors[i][2]);
glEnableClientState(GL_VERTEX_ARRAY);
glVertexPointer(3, GL_FLOAT, 0, &verts[i][0]);
glPushMatrix();
glDrawArrays(GL_LINE_STRIP, 0, GLsizei(verts[i].size()/3));
glPopMatrix();
glDisableClientState(GL_VERTEX_ARRAY);
}
this->display();
this->setActive(false);
}
void Graph::save(string fname)
{
sf::Image screenshot = this->capture();
screenshot.saveToFile(fname.c_str());
}
void Graph::setColor(unsigned short r, unsigned short g, unsigned short b)
{
red = r;
green = g;
blue = b;
}
unsigned int Graph::addplot(double (*func)(double) )
{
verts.resize(verts.size()+1);
verts[verts.size()-1].resize(points*3);
colors.resize(colors.size()+1);
colors[colors.size()-1].resize(3);
colors[colors.size()-1][0] = red;
colors[colors.size()-1][1] = green;
colors[colors.size()-1][2] = blue;
double gap = (rr-ll)/double(points-1);
for(unsigned int i=0;i<points;++i)
{
verts[verts.size()-1][i*3] = float(convertX(double(i)*gap+ll));
verts[verts.size()-1][i*3+1] = float(convertY(func(double(i)*gap+ll)));
verts[verts.size()-1][i*3+2] = 0.f;
}
return unsigned(verts.size()-1);
}
double Graph::convertX(double x)
{
return x*xScale+xZero;
}
double Graph::convertY(double y)
{
return y*yScale+yZero;
} | [
"nsandber@gmail.com"
] | nsandber@gmail.com |
d675466945ce2968727b5c1a9865f0bc18e43911 | c365d25ee2237b3c260198827b33b0253d43eaf4 | /codeforces/758/c.cpp | fe0b83dce0e557795ebcc447e683bc481396eb47 | [] | no_license | germanohn/competitive-programming | fb1249910ce951fe290e9a5be3876d3870ab8aa3 | fab9dc0e2998dd395c1b9d6639f8c187cf637669 | refs/heads/master | 2021-06-12T08:17:52.907705 | 2021-03-17T19:06:19 | 2021-03-17T19:06:19 | 58,595,999 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,181 | cpp | #include <bits/stdc++.h>
#define ff first
#define ss second
#define pb push_back
using namespace std;
typedef long long ll;
typedef pair<int, int> pii;
const int MAX = 105;
ll n, m, k, x, y;
ll t[MAX][MAX];
int main () {
scanf(" %lld %lld %lld %lld %lld", &n, &m, &k, &x, &y);
ll q;
if (n == 1) q = k / m;
else q = k / ((n + (n - 2)) * m);
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
if (i > 0 && i < n - 1) t[i][j] += (2 * q);
else t[i][j] += q;
}
}
if (n == 1) k -= q * m;
else k -= (q * ((n + (n - 2)) * m));
for (int i = 0; k && i < n; i++) {
for (int j = 0; k && j < m; j++) {
t[i][j]++;
k--;
}
}
for (int i = n - 2; k && i >= 0; i--) {
for (int j = 0; k && j < m; j++) {
t[i][j]++;
k--;
}
}
ll ans_mi, ans_mx;
ans_mi = ans_mx = t[0][0];
for (int i = 0; i < n; i++) {
for (int j = 0; j < m; j++) {
ans_mi = min(ans_mi, t[i][j]);
ans_mx = max(ans_mx, t[i][j]);
}
}
printf("%lld %lld %lld\n", ans_mx, ans_mi, t[x - 1][y - 1]);
}
| [
"germanohn8@gmail.com"
] | germanohn8@gmail.com |
6d2510c34ad21dc6504139e2910d2e8e255d2388 | 86d8a845b9b89b8220e802a800038ada76ade6c1 | /047_dup_nums_permutations/permutations.cpp | 7338f1ee351a475d68f53d891d005c6e71b841b0 | [] | no_license | plmsmile/leetcode | 6f044afe85a462c9b87fd40a96aca2c8fa041d48 | ab786e3b2d15f93e442749019a45ddfbdbf56db4 | refs/heads/master | 2021-09-07T20:00:24.819284 | 2018-02-28T08:32:31 | 2018-02-28T08:32:31 | 116,473,633 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,564 | cpp | /*
* 数字的全排列
* https://plmsmile.github.io/2017/12/29/leetcode-01/#重复数字全排列-047
*
* @author PLM
* @date 2018-01-24
*/
#include <vector>
#include <algorithm>
#include <iostream>
#include <set>
using namespace std;
/*
* 回溯搜索排列树,遍历当前第i层的所有可能性,前面i-1已经全部确定好
* Args:
* t -- 第几层,[0, n-1]
* path -- 当前路径,[0,i-1]已经确定好,[i,n-1]是剩余的数字,遍历每一种可能给到i
* res -- 总的结果
* Returns:
* None
*/
void dfs(vector<int>& path, int t, vector<vector<int>>& res) {
if (t >= path.size()) {
res.push_back(path);
return;
}
// 不重复的元素与其索引
set<int> vals;
set<int> idx;
for (int i = t; i < path.size(); i++) {
if (vals.find(path[i]) == vals.end()) {
vals.insert(path[i]);
idx.insert(i);
}
}
for_each(idx.begin(), idx.end(), [&](int i) {
std::swap(path[t], path[i]);
dfs(path, t + 1, res);
std::swap(path[t], path[i]);
});
}
/*
* 数组的全排列
*/
vector<vector<int>> permute(vector<int> &nums) {
vector<vector<int>> res;
dfs(nums, 0, res);
return res;
}
void test_permute() {
// vector<int> a{2, 1, 2, 1};
vector<int> a{1,1, 2, 2};
vector<vector<int>> res = permute(a);
for (auto v: res) {
for_each(v.begin(), v.end(), [](int i){cout << i << " ";});
cout << endl;
}
}
int main() {
test_permute();
return 0;
}
| [
"plmspark@163.com"
] | plmspark@163.com |
093a5f8c7a32bd78f89e05e41202dc02fd39263e | 182e6bfe5f21641d1a58f4ed68adb95ec4fa0cdc | /src/tools.cpp | 6650df0175ea7111cb9c055d96497d6eaf16f650 | [] | no_license | mdemirst/Unscented-Kalman-Filter | eeb3c1ae5785f99ee7c02a41b32282246234263e | 6c14c3716536f31425f5e51a915b2302792b64a9 | refs/heads/master | 2021-09-03T20:33:31.080296 | 2018-01-11T20:18:17 | 2018-01-11T20:18:17 | 115,668,701 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,641 | cpp | #include "tools.h"
#include <iostream>
Eigen::VectorXd Tools::CalculateRMSE(const std::vector<Eigen::VectorXd> &estimations,
const std::vector<Eigen::VectorXd> &ground_truth){
Eigen::VectorXd rmse(4);
rmse << 0,0,0,0;
// check the validity of the following inputs:
// * the estimation vector size should not be zero
// * the estimation vector size should equal ground truth vector size
if(estimations.size() != ground_truth.size()
|| estimations.size() == 0){
std::cout << "Invalid estimation or ground_truth data" << std::endl;
return rmse;
}
//accumulate squared residuals
for(unsigned int i=0; i < estimations.size(); ++i){
Eigen::VectorXd residual = estimations[i] - ground_truth[i];
//coefficient-wise multiplication
residual = residual.array()*residual.array();
rmse += residual;
}
//calculate the mean
rmse = rmse/estimations.size();
//calculate the squared root
rmse = rmse.array().sqrt();
//return the result
return rmse;
}
Eigen::VectorXd Tools::polarToCartesian(const Eigen::VectorXd &measurement)
{
Eigen::VectorXd measurement_in_cartesian(4);
measurement_in_cartesian[0] = measurement[0] * sin(measurement[1]);
measurement_in_cartesian[1] = measurement[0] * cos(measurement[1]);
measurement_in_cartesian[2] = measurement[2] * sin(measurement[1]);
measurement_in_cartesian[3] = measurement[2] * cos(measurement[1]);
return measurement_in_cartesian;
}
Eigen::VectorXd Tools::cartesianToPolar(const Eigen::VectorXd &measurement)
{
Eigen::VectorXd measurement_in_polar(3);
double px = measurement[0];
double py = measurement[1];
double vx = measurement[2];
double vy = measurement[3];
double px2 = px * px;
double py2 = py * py;
double sqrt_px2_py2 = sqrt(px2 + py2);
if(fabs(sqrt_px2_py2) < 0.00001)
{
std::cout << "Error in cartesianToPolar. Division by zero!" << std::endl;
}
else
{
measurement_in_polar[0] = sqrt_px2_py2;
measurement_in_polar[1] = atan2(py, px);
measurement_in_polar[2] = (px*vx + py*vy) / sqrt_px2_py2;
}
return measurement_in_polar;
}
double Tools::wrapAngle(double angle)
{
if(angle > M_PI)
return wrapAngle(angle - 2 * M_PI);
else if(angle < -M_PI)
return wrapAngle(angle + 2 * M_PI);
else
return angle;
}
double Tools::wrapAngleAround(double angle, double around)
{
if((angle-around) > M_PI)
return wrapAngleAround(angle - 2 * M_PI, around);
else if((angle-around) < -M_PI)
return wrapAngleAround(angle + 2 * M_PI, around);
else
return angle;
}
| [
"mahmutdemir@gmail.com"
] | mahmutdemir@gmail.com |
b150128c7bf1e0a2ba3cbe2cfdf2e2bc8a6f67e3 | b249e1b1732cf9beaef7bfd2f66ecd3b600ce7e7 | /project_test03/src/GeneralAnimations.h | e33cee92e4b2844d9f73accbc939066165e72753 | [] | no_license | taseenb/notnow | 2a962506ac303bc0ba794abd49f5eb182dfb4776 | 7b903a4347317ae8253c548a22c09ad3cf5bcbf5 | refs/heads/master | 2018-12-28T00:53:15.997019 | 2014-07-22T10:17:41 | 2014-07-22T10:17:41 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 541 | h | #ifndef __project_test03__GeneralAnimations__
#define __project_test03__GeneralAnimations__
#include <iostream>
#include "ofMain.h"
//#include "ofxFaceTrackerThreaded.h"
#include "DelaunayAnimation.h"
// Animations
//#include "CrazyEyes.h"
class GeneralAnimations : public ofBaseApp {
public:
void update(ofxFaceTrackerThreaded & tracker);
void draw();
void blend();
void clear();
// List of animations
//CrazyEyes crazyEyesAnim;
DelaunayAnimation delaunayAnim;
};
#endif | [
"esteban.almiron@gmail.com"
] | esteban.almiron@gmail.com |
8f88f8b5ae5a7392c6ad2fea189acc82f19c9629 | bd6cb3d52a167fab205199df766c6169d4e28353 | /test/PipedPageTest.cc | e819ef429f725d7dd381629672cfa452b9a789cd | [] | no_license | hispanasian/DBI | abbfed5c5c2bf860cd795ebc8f8ecc74f2ec0cf5 | 776c716cedf8d59d1ba2d6951e8189025320542e | refs/heads/master | 2021-01-13T04:29:37.574411 | 2015-05-01T13:58:45 | 2015-05-01T13:58:45 | 29,554,201 | 2 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,589 | cc | #include "../include/HeapDBFileTest.h"
#include "../include/Schema.h"
#include "../include/RawFile.h"
#include <sstream>
#include <unistd.h>
#include <stdio.h>
#include <string>
using ::testing::StrictMock;
using ::testing::NotNull;
using ::testing::SetArgPointee;
/**
* PipedPage::GetfFirst should return 1 when there are records remaining.
*/
TEST(PipedPageTest, GetFirsrt1) {
StrictMock<MockPipe> mock;
PipedPage test = PipedPage(mock);
Record rec;
EXPECT_CALL(mock, Remove(&rec)).
WillOnce(Return(1));
EXPECT_EQ(1, test.GetFirst(&rec));
}
/**
* PipedPage::GetFirst should return 0 when no record remains
*/
TEST(PipedPageTest, GetFirst2) {
StrictMock<MockPipe> mock;
PipedPage test = PipedPage(mock);
Record rec;
EXPECT_CALL(mock, Remove(&rec)).
WillOnce(Return(0));
EXPECT_EQ(0, test.GetFirst(&rec));
}
/**
* PipedPage::Append should return 1 and add the record to the Pipe.
*/
TEST(PipedPageTest, Append) {
StrictMock<MockPipe> mock;
PipedPage test = PipedPage(mock);
Record rec;
EXPECT_CALL(mock, Insert(&rec));
EXPECT_EQ(1, test.Append(&rec));
}
/**
* PipedPage::EmptyItOut should shut down the internal Pipe.
*/
TEST(PipedPageTest, EmptyItOut) {
StrictMock<MockPipe> mock;
PipedPage test = PipedPage(mock);
EXPECT_CALL(mock, ShutDown());
test.EmptyItOut();
}
/**
* A constructor that takes a file pointer should set it to NULL.
*/
TEST(PipedPageTest, Constructor) {
// TODO: make this an integration test.
StrictMock<MockPipe> mock;
File file;;
// EXPECT_CALL(mock, ShutDown());
// PipedPage test = PipedPage(mock, &file);
}
| [
"hispanasian@gmail.com"
] | hispanasian@gmail.com |
598fe8fe1ffbd3a8bc69ba6ae73f0ca0f0ea3b28 | db93f3d56da3378a78d75f2902634810284489bb | /bag_diff3.cpp | 330a988ae3431622b3090e379bc0bbc76e44fe0a | [] | no_license | rockydcoder/chegg | 63f0be5d16ba1124aa4c953fb4fb8fa9066ba889 | 349cbc194da80db4a3efddd4f05b0bda74e7a77e | refs/heads/master | 2021-01-10T04:22:09.314427 | 2016-09-19T11:32:27 | 2016-09-19T11:32:27 | 46,544,140 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,303 | cpp | #include "bag2.h"
#include <iostream>
using namespace std;
using namespace main_savitch_4;
int main() {
int size = 5;
// how many of each value to put in each bag
// one 0 will be put in b1
// two 1's will be put in b1
// five 0's will be in b2 ...
int num1[] = {1, 2, 3, 4, 5};
int num2[] = {5, 4, 3, 2, 1};
bag b1;
bag b2;
// insert data into bags
for(int i = 0; i < size; i++ ) {
for(int j = 0; j < num1[i]; j++) {
b1.insert(i);
}
for(int j = 0; j < num2[i]; j++ ) {
b2.insert(i);
}
}
for(int i = 0; i < size; i++ ) {
if(num1[i] != b1.count(i)) {
cout << "value " << i << " has bad count in b1: "
<< b1.count(i) << " rather than " << num1[i] << endl;
}
if(num2[i] != b2.count(i)) {
cout << "value " << i << " has bad count in b2: "
<< b2.count(i) << " rather than " << num2[i] << endl;
}
}
bag b3 = b1 - b2;
for(int i = 0; i < size; i++ ) {
int d = num1[i] - num2[i];
d = (d >= 0) ? d : 0;
if(b3.count(i) != d) {
cout << "value " << i << " has bad count in b3: "
<< b3.count(i) << " rather than " << d << endl;
}
}
b1 -= b1;
for(int i = 0; i < size; i++ ) {
if(0 != b1.count(i)) {
cout << "value " << i << " has bad count in b1: "
<< b1.count(i) << " rather than " << 0 << endl;
}
}
cout << "no news is good news!" << endl;
} | [
"rakesh.rockyrocks.xxx@gmail.com"
] | rakesh.rockyrocks.xxx@gmail.com |
181a0a342df2a277e895fe4f217ca969b089dd5b | 4bedcf7b83a9a31464c1e2308604e5001b7fa9b5 | /all-applications/viewers/xcgview-0.8.2/OXPageLBEntry.h | 89473bfb7a47c3099e5eb1c0220425e587cc7e1b | [] | no_license | rn10950/FVWM95-Updated | 847e48d21acb2bec404cb66719b7b5881d2a20a1 | efbe3376e00860ad5ac9de00b143b11a9cab43e6 | refs/heads/master | 2021-01-18T13:59:58.287835 | 2018-08-09T03:25:53 | 2018-08-09T03:25:53 | 38,997,038 | 16 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,690 | h | /**************************************************************************
This file is part of xcgview, a xclass port of Ghostview 1.5
Copyright (C) 1998 Hector Peraza.
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation; either version 2 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
**************************************************************************/
#ifndef __OXPAGELBENTRY_H
#define __OXPAGELBENTRY_H
#include <xclass/utils.h>
#include <xclass/OXListBox.h>
//*** Custom listbox entry object for page index list ***
#define PLBE_CHECKMARK (1<<0)
#define PLBE_RADIOMARK (1<<1)
//-------------------------------------------------------------
class OXPageLBEntry : public OXTextLBEntry {
public:
OXPageLBEntry(const OXWindow *p, OString *s, int ID);
virtual ODimension GetDefaultSize() const { return ODimension(_tw+20, _th+1); }
void SetMark(int mark_type, int mode);
int GetFlags() const { return _flags; }
protected:
virtual void _DoRedraw();
void DrawCheckMark(GC gc);
void DrawRCheckMark(GC gc);
int _flags;
};
#endif // __OXPAGELBENTRY_H
| [
"root@FVWm95-TestVM.WORKGROUP"
] | root@FVWm95-TestVM.WORKGROUP |
dac273ed9c4d83a26ad5b73231cb7beef1c108c6 | 5cb45be18d88aeb02f35eedb78f57764b56c6d09 | /src/qt/splashscreen.cpp | 32539e67ff774a25230ae773a1a32b0f45d20bea | [
"MIT"
] | permissive | bellaj/Rcoin | 1db7a44d952845a4ebfb989f30ace329c64728d4 | bbcf2f528a668ae9b1642effc8644ef8dca0f1a2 | refs/heads/master | 2021-07-13T02:34:42.143678 | 2017-10-13T23:06:08 | 2017-10-13T23:06:08 | 106,748,183 | 0 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 7,688 | cpp | // Copyright (c) 2011-2016 The Readercoin Core developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#if defined(HAVE_CONFIG_H)
#include "config/readercoin-config.h"
#endif
#include "splashscreen.h"
#include "networkstyle.h"
#include "clientversion.h"
#include "init.h"
#include "util.h"
#include "ui_interface.h"
#include "version.h"
#ifdef ENABLE_WALLET
#include "wallet/wallet.h"
#endif
#include <QApplication>
#include <QCloseEvent>
#include <QDesktopWidget>
#include <QPainter>
#include <QRadialGradient>
SplashScreen::SplashScreen(Qt::WindowFlags f, const NetworkStyle *networkStyle) :
QWidget(0, f), curAlignment(0)
{
// set reference point, paddings
int paddingRight = 50;
int paddingTop = 50;
int titleVersionVSpace = 17;
int titleCopyrightVSpace = 40;
float fontFactor = 1.0;
float devicePixelRatio = 1.0;
#if QT_VERSION > 0x050100
devicePixelRatio = ((QGuiApplication*)QCoreApplication::instance())->devicePixelRatio();
#endif
// define text to place
QString titleText = tr(PACKAGE_NAME);
QString versionText = QString("Version %1").arg(QString::fromStdString(FormatFullVersion()));
QString copyrightText = QString::fromUtf8(CopyrightHolders(strprintf("\xc2\xA9 %u-%u ", 2009, COPYRIGHT_YEAR)).c_str());
QString titleAddText = networkStyle->getTitleAddText();
QString font = QApplication::font().toString();
// create a bitmap according to device pixelratio
QSize splashSize(480*devicePixelRatio,320*devicePixelRatio);
pixmap = QPixmap(splashSize);
#if QT_VERSION > 0x050100
// change to HiDPI if it makes sense
pixmap.setDevicePixelRatio(devicePixelRatio);
#endif
QPainter pixPaint(&pixmap);
pixPaint.setPen(QColor(100,100,100));
// draw a slightly radial gradient
QRadialGradient gradient(QPoint(0,0), splashSize.width()/devicePixelRatio);
gradient.setColorAt(0, Qt::white);
gradient.setColorAt(1, QColor(247,247,247));
QRect rGradient(QPoint(0,0), splashSize);
pixPaint.fillRect(rGradient, gradient);
// draw the readercoin icon, expected size of PNG: 1024x1024
QRect rectIcon(QPoint(-150,-122), QSize(430,430));
const QSize requiredSize(1024,1024);
QPixmap icon(networkStyle->getAppIcon().pixmap(requiredSize));
pixPaint.drawPixmap(rectIcon, icon);
// check font size and drawing with
pixPaint.setFont(QFont(font, 33*fontFactor));
QFontMetrics fm = pixPaint.fontMetrics();
int titleTextWidth = fm.width(titleText);
if (titleTextWidth > 176) {
fontFactor = fontFactor * 176 / titleTextWidth;
}
pixPaint.setFont(QFont(font, 33*fontFactor));
fm = pixPaint.fontMetrics();
titleTextWidth = fm.width(titleText);
pixPaint.drawText(pixmap.width()/devicePixelRatio-titleTextWidth-paddingRight,paddingTop,titleText);
pixPaint.setFont(QFont(font, 15*fontFactor));
// if the version string is to long, reduce size
fm = pixPaint.fontMetrics();
int versionTextWidth = fm.width(versionText);
if(versionTextWidth > titleTextWidth+paddingRight-10) {
pixPaint.setFont(QFont(font, 10*fontFactor));
titleVersionVSpace -= 5;
}
pixPaint.drawText(pixmap.width()/devicePixelRatio-titleTextWidth-paddingRight+2,paddingTop+titleVersionVSpace,versionText);
// draw copyright stuff
{
pixPaint.setFont(QFont(font, 10*fontFactor));
const int x = pixmap.width()/devicePixelRatio-titleTextWidth-paddingRight;
const int y = paddingTop+titleCopyrightVSpace;
QRect copyrightRect(x, y, pixmap.width() - x - paddingRight, pixmap.height() - y);
pixPaint.drawText(copyrightRect, Qt::AlignLeft | Qt::AlignTop | Qt::TextWordWrap, copyrightText);
}
// draw additional text if special network
if(!titleAddText.isEmpty()) {
QFont boldFont = QFont(font, 10*fontFactor);
boldFont.setWeight(QFont::Bold);
pixPaint.setFont(boldFont);
fm = pixPaint.fontMetrics();
int titleAddTextWidth = fm.width(titleAddText);
pixPaint.drawText(pixmap.width()/devicePixelRatio-titleAddTextWidth-10,15,titleAddText);
}
pixPaint.end();
// Set window title
setWindowTitle(titleText + " " + titleAddText);
// Resize window and move to center of desktop, disallow resizing
QRect r(QPoint(), QSize(pixmap.size().width()/devicePixelRatio,pixmap.size().height()/devicePixelRatio));
resize(r.size());
setFixedSize(r.size());
move(QApplication::desktop()->screenGeometry().center() - r.center());
subscribeToCoreSignals();
installEventFilter(this);
}
SplashScreen::~SplashScreen()
{
unsubscribeFromCoreSignals();
}
bool SplashScreen::eventFilter(QObject * obj, QEvent * ev) {
if (ev->type() == QEvent::KeyPress) {
QKeyEvent *keyEvent = static_cast<QKeyEvent *>(ev);
if(keyEvent->text()[0] == 'q') {
StartShutdown();
}
}
return QObject::eventFilter(obj, ev);
}
void SplashScreen::slotFinish(QWidget *mainWin)
{
Q_UNUSED(mainWin);
/* If the window is minimized, hide() will be ignored. */
/* Make sure we de-minimize the splashscreen window before hiding */
if (isMinimized())
showNormal();
hide();
deleteLater(); // No more need for this
}
static void InitMessage(SplashScreen *splash, const std::string &message)
{
QMetaObject::invokeMethod(splash, "showMessage",
Qt::QueuedConnection,
Q_ARG(QString, QString::fromStdString(message)),
Q_ARG(int, Qt::AlignBottom|Qt::AlignHCenter),
Q_ARG(QColor, QColor(55,55,55)));
}
static void ShowProgress(SplashScreen *splash, const std::string &title, int nProgress, bool resume_possible)
{
InitMessage(splash, title + std::string("\n") +
(resume_possible ? _("(press q to shutdown and continue later)")
: _("press q to shutdown")) +
strprintf("\n%d", nProgress) + "%");
}
#ifdef ENABLE_WALLET
void SplashScreen::ConnectWallet(CWallet* wallet)
{
wallet->ShowProgress.connect(boost::bind(ShowProgress, this, _1, _2, false));
connectedWallets.push_back(wallet);
}
#endif
void SplashScreen::subscribeToCoreSignals()
{
// Connect signals to client
uiInterface.InitMessage.connect(boost::bind(InitMessage, this, _1));
uiInterface.ShowProgress.connect(boost::bind(ShowProgress, this, _1, _2, _3));
#ifdef ENABLE_WALLET
uiInterface.LoadWallet.connect(boost::bind(&SplashScreen::ConnectWallet, this, _1));
#endif
}
void SplashScreen::unsubscribeFromCoreSignals()
{
// Disconnect signals from client
uiInterface.InitMessage.disconnect(boost::bind(InitMessage, this, _1));
uiInterface.ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2, _3));
#ifdef ENABLE_WALLET
for (CWallet* const & pwallet : connectedWallets) {
pwallet->ShowProgress.disconnect(boost::bind(ShowProgress, this, _1, _2, false));
}
#endif
}
void SplashScreen::showMessage(const QString &message, int alignment, const QColor &color)
{
curMessage = message;
curAlignment = alignment;
curColor = color;
update();
}
void SplashScreen::paintEvent(QPaintEvent *event)
{
QPainter painter(this);
painter.drawPixmap(0, 0, pixmap);
QRect r = rect().adjusted(5, 5, -5, -5);
painter.setPen(curColor);
painter.drawText(r, curAlignment, curMessage);
}
void SplashScreen::closeEvent(QCloseEvent *event)
{
StartShutdown(); // allows an "emergency" shutdown during startup
event->ignore();
}
| [
"bellaj.badr@gmail.com"
] | bellaj.badr@gmail.com |
b315c41c2e0a714e2544a45d2955dc3b46774578 | a3d6556180e74af7b555f8d47d3fea55b94bcbda | /third_party/blink/renderer/modules/canvas/canvas2d/v8_canvas_style.h | f126f0c5671940c7f5e01335a6c690f269ecd93f | [
"LGPL-2.0-or-later",
"LicenseRef-scancode-warranty-disclaimer",
"LGPL-2.1-only",
"GPL-1.0-or-later",
"GPL-2.0-only",
"LGPL-2.0-only",
"BSD-2-Clause",
"LicenseRef-scancode-other-copyleft",
"BSD-3-Clause",
"MIT",
"Apache-2.0"
] | permissive | chromium/chromium | aaa9eda10115b50b0616d2f1aed5ef35d1d779d6 | a401d6cf4f7bf0e2d2e964c512ebb923c3d8832c | refs/heads/main | 2023-08-24T00:35:12.585945 | 2023-08-23T22:01:11 | 2023-08-23T22:01:11 | 120,360,765 | 17,408 | 7,102 | BSD-3-Clause | 2023-09-10T23:44:27 | 2018-02-05T20:55:32 | null | UTF-8 | C++ | false | false | 1,833 | h | // Copyright 2022 The Chromium Authors
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef THIRD_PARTY_BLINK_RENDERER_MODULES_CANVAS_CANVAS2D_V8_CANVAS_STYLE_H_
#define THIRD_PARTY_BLINK_RENDERER_MODULES_CANVAS_CANVAS2D_V8_CANVAS_STYLE_H_
#include "third_party/blink/renderer/modules/modules_export.h"
#include "third_party/blink/renderer/platform/graphics/color.h"
#include "third_party/blink/renderer/platform/wtf/allocator/allocator.h"
#include "third_party/blink/renderer/platform/wtf/text/atomic_string.h"
#include "v8/include/v8.h"
namespace blink {
class CanvasGradient;
class CanvasPattern;
class CanvasStyle;
class ExceptionState;
class ScriptState;
// Types of values supported for canvas style.
enum class V8CanvasStyleType {
kCSSColorValue,
kGradient,
kPattern,
kString,
};
// Temporary structure used when extracting the canvas style from v8.
struct MODULES_EXPORT V8CanvasStyle {
STACK_ALLOCATED();
public:
V8CanvasStyleType type;
CanvasPattern* pattern = nullptr;
CanvasGradient* gradient = nullptr;
Color css_color_value = Color::kTransparent;
AtomicString string;
};
// Sets `style` from v8. Returns true on success, false if there is a conversion
// error.
MODULES_EXPORT bool ExtractV8CanvasStyle(v8::Isolate* isolate,
v8::Local<v8::Value> value,
V8CanvasStyle& style,
ExceptionState& exception_state);
// Converts `style` to a v8 value.
MODULES_EXPORT v8::Local<v8::Value> CanvasStyleToV8(ScriptState* script_state,
const CanvasStyle& style);
} // namespace blink
#endif // THIRD_PARTY_BLINK_RENDERER_MODULES_CANVAS_CANVAS2D_V8_CANVAS_STYLE_H_
| [
"chromium-scoped@luci-project-accounts.iam.gserviceaccount.com"
] | chromium-scoped@luci-project-accounts.iam.gserviceaccount.com |
e5a8f0cadd069541d85c42d572bc5ba54f73aca4 | 9d7649ca193d5e62b6752ba4098c43eb5a16aa5f | /third_party/chromium_base/base/base64.h | 39cebfbecd4938ec97d354a2d47ab0c7584c3df1 | [] | no_license | yiw2/ikran | 6aafe7d2b6ede852bdcffd9fc3ac4613ee9976a8 | cc8a3205cdbcb34f7807373db01c7f8b2558a639 | refs/heads/master | 2020-12-25T17:12:41.280090 | 2012-03-13T05:42:58 | 2012-03-13T05:42:58 | 3,196,837 | 4 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 738 | h | // Copyright (c) 2006-2008 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 BASE_BASE64_H__
#define BASE_BASE64_H__
#pragma once
#include <string>
namespace base {
// Encodes the input string in base64. Returns true if successful and false
// otherwise. The output string is only modified if successful.
bool Base64Encode(const std::string& input, std::string* output);
// Decodes the base64 input string. Returns true if successful and false
// otherwise. The output string is only modified if successful.
bool Base64Decode(const std::string& input, std::string* output);
} // namespace base
#endif // BASE_BASE64_H__
| [
"ehugg@cisco.com"
] | ehugg@cisco.com |
967f8243b3d707f3666921b00e6629996f8856c8 | 0b41815e2e30d9cee85e21384ef6e09ebc6f8f9d | /thirdparty/poco/Net/include/Poco/Net/HTTPHeaderStream.h | a3e8960db6e2fe42c834a2666df63547a4b0c9b3 | [
"LicenseRef-scancode-unknown-license-reference",
"MIT",
"BSL-1.0"
] | permissive | weinzierl-engineering/baos | 96d338176c842e24223cb03981443ecf0450b8ac | bd0d893e1d1f23578d94275c90e7588885baf29b | refs/heads/master | 2022-12-08T09:19:08.823389 | 2022-11-15T11:35:02 | 2022-11-15T11:35:02 | 34,512,259 | 42 | 21 | MIT | 2022-11-15T11:35:03 | 2015-04-24T10:21:39 | C++ | UTF-8 | C++ | false | false | 2,159 | h | //
// HTTPHeaderStream.h
//
// $Id: //poco/1.4/Net/include/Poco/Net/HTTPHeaderStream.h#1 $
//
// Library: Net
// Package: HTTP
// Module: HTTPHeaderStream
//
// Definition of the HTTPHeaderStream class.
//
// Copyright (c) 2005-2006, Applied Informatics Software Engineering GmbH.
// and Contributors.
//
// SPDX-License-Identifier: BSL-1.0
//
#ifndef Net_HTTPHeaderStream_INCLUDED
#define Net_HTTPHeaderStream_INCLUDED
#include "Poco/Net/Net.h"
#include "Poco/Net/HTTPBasicStreamBuf.h"
#include "Poco/MemoryPool.h"
#include <cstddef>
#include <istream>
#include <ostream>
namespace Poco {
namespace Net {
class HTTPSession;
class Net_API HTTPHeaderStreamBuf: public HTTPBasicStreamBuf
/// This is the streambuf class used for reading from a HTTP header
/// in a HTTPSession.
{
public:
typedef HTTPBasicStreamBuf::openmode openmode;
HTTPHeaderStreamBuf(HTTPSession& session, openmode mode);
~HTTPHeaderStreamBuf();
protected:
int readFromDevice(char* buffer, std::streamsize length);
int writeToDevice(const char* buffer, std::streamsize length);
private:
HTTPSession& _session;
bool _end;
};
class Net_API HTTPHeaderIOS: public virtual std::ios
/// The base class for HTTPHeaderInputStream.
{
public:
HTTPHeaderIOS(HTTPSession& session, HTTPHeaderStreamBuf::openmode mode);
~HTTPHeaderIOS();
HTTPHeaderStreamBuf* rdbuf();
protected:
HTTPHeaderStreamBuf _buf;
};
class Net_API HTTPHeaderInputStream: public HTTPHeaderIOS, public std::istream
/// This class is for internal use by HTTPSession only.
{
public:
HTTPHeaderInputStream(HTTPSession& session);
~HTTPHeaderInputStream();
void* operator new(std::size_t size);
void operator delete(void* ptr);
private:
static Poco::MemoryPool _pool;
};
class Net_API HTTPHeaderOutputStream: public HTTPHeaderIOS, public std::ostream
/// This class is for internal use by HTTPSession only.
{
public:
HTTPHeaderOutputStream(HTTPSession& session);
~HTTPHeaderOutputStream();
void* operator new(std::size_t size);
void operator delete(void* ptr);
private:
static Poco::MemoryPool _pool;
};
} } // namespace Poco::Net
#endif // Net_HTTPHeaderStream_INCLUDED
| [
"info@weinzierl.de"
] | info@weinzierl.de |
cf6418826d96ec3f2e59c51bf452ee5a6d5cc1e7 | 1e58f86db88d590ce63110c885c52305d67f8136 | /WorkWin/windialog.h | f9a136ed2495a657f3ee29ea5943fa39f10d62a7 | [] | no_license | urielyan/F270 | 32a9b87780b6b0bbbd8e072ca4305cd38dc975c1 | c3d1eceead895ded12166eeb6748df111f46ef2d | refs/heads/master | 2021-01-10T02:06:40.335370 | 2016-03-02T03:23:02 | 2016-03-02T03:23:02 | 52,927,128 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 757 | h | #ifndef WINDIALOG_H
#define WINDIALOG_H
#include <QDialog>
#include <QStackedLayout>
#include "winmainframe.h"
#include "./GlobalData/cfgGlobalDef.h"
class WinDialog;
class WinStackedLayout;
class WinDialog : public QDialog
{
Q_OBJECT
public:
explicit WinDialog(QWidget *parent = WinMainFrame::instance());
signals:
void sigChangeFrame(quint32 frameId);//画面切换
public slots:
};
class WinStackedLayout : public QStackedLayout
{
Q_OBJECT
public:
WinStackedLayout();
explicit WinStackedLayout(QWidget *parent);
explicit WinStackedLayout(QLayout *parentLayout);
void addWidget(QWidget *w);
void addWidget(QWidget *w, Qt::Alignment alignment);
void setGeometry(const QRect &rect);
};
#endif // WINDIALOG_H
| [
"urielyan@sina.com"
] | urielyan@sina.com |
7c828329a62a77232311ccd40baabdb38cd1028d | cb3ccc721b48175edffd8136738d8ce10fa1a9c2 | /src/engine/render/debuggraphics.h | 386d026e965ffb9bc576a3d8eb2c5e3ccb7642c0 | [
"BSD-3-Clause"
] | permissive | stuhacking/SGEngine-Cpp | 3dc9aae7a16a926b47e28c9e10f8142a4d8d33cc | bf531b7ba02a20a2c0d756f6422b68461095664a | refs/heads/master | 2020-12-20T22:34:35.779695 | 2018-04-26T08:49:05 | 2018-04-27T15:53:54 | 48,138,333 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,755 | h | /*--- DebugGraphics.h - Debug Graphics Header --------------------*- C++ -*---
*
* Stuart's Game Engine
*
* This file is distributed under the Revised BSD License. See LICENSE.TXT
* for details.
*
* --------------------------------------------------------------------------
*
* @brief Defines a class for drawing simple line graphics for visually
* debugging a scene.
*/
#ifndef __SGE_DEBUGGRAPHICS_H
#define __SGE_DEBUGGRAPHICS_H
namespace sge {
class DebugGraphics {
public:
/**
* Create a DebugGraphics object with an optional default
* draw color.
*/
DebugGraphics () : mGlVaoId{0}, mGlVboId{0} {
mVertices.reserve(64);
}
/**
* Clear current debug graphics.
* Destructive.
*/
void clear () { mVertices.clear(); }
void render ();
/**
* Draw an edge using a custom color.
*/
void edge (const Vec3f &pStart, const Vec3f &pEnd, const Color &pCol);
/**
* Draw a point as an intersection of 3 edges where the intersection
* occurs at point p and the edges extends radius units from p using
* a custom color.
*/
void point (const Vec3f &pPos, const float pRadius, const Color &pCol);
/**
* Draw a sphere container as a set of axis aligned rings where the center
* of each ring is point p_center, and each ring extends radius units from
* p_center. Uses a custom color.
*/
void sphere (const Vec3f &pCenter, const float pRadius, const Color &pCol);
/**
* Draw a Grid on the (X, Z) plane at Y = 0, where the center of the grid
* is point p_center, and the grid extends size / 2 units in X and Z. Grid
* squares are drawn 1 unit apart. Uses a custom color.
*/
void grid (const Vec3f &pCenter, const u32 pSize, const Color &pCol);
/**
* Draw a bounding box enclosing the region defined by points p_min..p_max.
* Uses a custom color of this DebugGraphics object.
*/
void box (const Vec3f &pMin, const Vec3f &pMax, const Color &pCol);
private:
/**
* @brief Smaller vertex struct with just position and colour.
*/
struct DVertex {
Vec3f pos;
Color color;
DVertex (const Vec3f &pPos, const Color &pCol)
: pos(pPos), color(pCol) { }
};
private:
u32 mGlVaoId;
u32 mGlVboId;
std::vector<DVertex> mVertices;
};
// --------------------------------------------------------------------------
inline void DebugGraphics::edge (const Vec3f &pStart, const Vec3f &pEnd,
const Color &pCol) {
mVertices.emplace_back(pStart, pCol);
mVertices.emplace_back(pEnd, pCol);
}
} /* namespace sge */
#endif /* __SGE_DEBUGGRAPHICS_H */
| [
"stuhacking@gmail.com"
] | stuhacking@gmail.com |
6d0f8784e90e41f64f5387d30fe19e3fefdac5d2 | 8e3e5c20b4fd1b7732b9de040d3e21f104b33767 | /hw/A3_code/Shape.h | d779914e55f92ef9d44fe8a308bf9cebc44fabf2 | [] | no_license | TypeKazt/CS432 | 49fbbc41a1581afa017756ea1105637e6b240ef2 | 20f60ab2a3fb5774f3c3badace050e273b22f5d3 | refs/heads/master | 2021-03-27T10:27:43.840239 | 2017-03-10T03:59:12 | 2017-03-10T03:59:12 | 76,214,658 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 834 | h | #ifndef __SHAPE_H__
#define __SHAPE_H__
#include "Angel.h"
#include "Drawable.h"
#include <algorithm>
class Shape: public Drawable{ //derived from drawable class
public:
//constructors
Shape(int);
Shape();
//destructor
~Shape();
virtual void build();
virtual void set_color(vec4 color)
{ this->color = color; }
virtual vec4 get_color()
{ return this->color; }
virtual vec4* get_points()
{ return vertexLocations; }
virtual void set_points(vec4*);
virtual void draw();
int get_n()
{ return n; }
void set_draw_mode(GLenum dm)
{ draw_mode = dm; }
virtual vec4 get_center()
{return vec4(0, 0, 0, 0);}
private:
vec4* vertexLocations;
int n; // # of points
vec4 color;
GLenum draw_mode;
protected:
virtual void build_shape();
};
#endif
| [
"alexander.v.kazantsev@gmail.com"
] | alexander.v.kazantsev@gmail.com |
a6cc9860ad5089d37242f8939816a22e4525a0fa | 6a63636bbc4aa7bd6f8384ceeb0ad30aadcb5ec5 | /Performances/main.cc | d4ea2f4c4cf6584db33fea9cb07f3920873b7ae7 | [] | no_license | lsoffi/VFPixCornell | f849198694883b68529531a4aea20d9557020c90 | c2bbb6cb14df26036ded13f2d36de11c23187e1e | refs/heads/master | 2021-01-10T07:41:36.059351 | 2016-04-04T08:36:28 | 2016-04-04T08:36:28 | 52,674,657 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,849 | cc |
// last commit by $Id: analysis.cc,v 1.1 2013/01/31 15:32:00 soffi Exp $
//
#include <stdlib.h>
#include <iostream>
#include <fstream>
#include <string>
#include <TStyle.h>
#include <TSystem.h>
#include <TTree.h>
#include <TChain.h>
#include <TROOT.h>
#include <TChain.h>
#include <TFile.h>
#include <TH2.h>
#include <TH1F.h>
#include <TStyle.h>
#include <TCanvas.h>
#include <TVector2.h>
#include <TVector3.h>
#include <TAxis.h>
#include "AnalysisNew.h"
#include "TPad.h"
#include "TLatex.h"
#include "TLine.h"
#include "TBox.h"
#include "TASImage.h"
using namespace std;
void rootlogon();
void setTDRStyle();
void CMS_lumi( TPad* pad, bool isSim, int iPosX=10 );
int main(int argc, char* argv[]) {
rootlogon();
//================ Creating chain
std::string isVBF = argv[1];
std::string isDelphes = argv[2];
TFile* fin;
if(isDelphes=="true") fin= new TFile(("/cmshome/lsoffi/CMSSW_6_2_0_SLHC23_patch1/src/rootfiles/"+isVBF+"_0712.root").c_str());
else fin= new TFile(("/cmshome/lsoffi/CMSSW_6_2_0_SLHC23_patch1/src/rootfiles/"+isVBF+"_HToZZTo4L_FPix_1212_0000.root").c_str());
TChain* chain;
if(isDelphes=="true") chain = (TChain*) fin->Get("myTree");
else chain = (TChain*) fin->Get("TrkJetAnalyzer/myTree");
std::cout<<"flag"<<std::endl;
//================ Run analysis
AnalysisNew tree( chain );
std::cout<<"flag"<<std::endl;
tree.Loop(isVBF, isDelphes);
std::cout<<"flag"<<std::endl;
}
void rootlogon(){
std::cout <<std:: endl << "Welcome to my rootlogon.C" << std::endl;
std::cout << "reading PhysicsTools/Utilities/macros/setTDRStyle.C" << std::endl;
std::cout << "and some personal modifications." << std::endl << std::endl;
TStyle *tdrStyle = new TStyle("tdrStyle","Style for P-TDR");
setTDRStyle();
tdrStyle->SetOptTitle(0);
tdrStyle->SetPadBottomMargin(0.14);
tdrStyle->SetPadLeftMargin(0.18);
tdrStyle->SetPadRightMargin(0.15); // per la paletta !
tdrStyle->SetTitleXOffset(1.0);
tdrStyle->SetTitleYOffset(1.3);
tdrStyle->SetNdivisions(505, "X");
tdrStyle->SetErrorX(0.5);
tdrStyle->SetPalette(55,0);
tdrStyle->SetNumberContours(505);
///////// pretty palette ///////////
const Int_t NRGBs = 5;
const Int_t NCont = 255;
Double_t stops[NRGBs] = { 0.00, 0.34, 0.61, 0.84, 1.00 };
Double_t red[NRGBs] = { 0.00, 0.00, 0.87, 1.00, 0.51 };
Double_t green[NRGBs] = { 0.00, 0.81, 1.00, 0.20, 0.00 };
Double_t blue[NRGBs] = { 0.51, 1.00, 0.12, 0.00, 0.00 };
// TColor::CreateGradientColorTable(NRGBs, stops, red, green, blue, NCont);
// tdrStyle->SetNumberContours(NCont);
/////////////////////////////////////
gROOT->ForceStyle();
gSystem->Load("libRooFit");
}
void setTDRStyle() {
TStyle *tdrStyle = new TStyle("tdrStyle","Style for P-TDR");
// For the canvas:
tdrStyle->SetCanvasBorderMode(0);
tdrStyle->SetCanvasColor(kWhite);
tdrStyle->SetCanvasDefH(600); //Height of canvas
tdrStyle->SetCanvasDefW(700); //Width of canvas
tdrStyle->SetCanvasDefX(0); //Position on screen
tdrStyle->SetCanvasDefY(0);
// For the Pad:
tdrStyle->SetPadBorderMode(0);
// tdrStyle->SetPadBorderSize(Width_t size = 1);
tdrStyle->SetPadColor(kWhite);
tdrStyle->SetPadGridX(false);
tdrStyle->SetPadGridY(false);
tdrStyle->SetGridColor(0);
tdrStyle->SetGridStyle(3);
tdrStyle->SetGridWidth(1);
// For the frame:
tdrStyle->SetFrameBorderMode(0);
tdrStyle->SetFrameBorderSize(1);
tdrStyle->SetFrameFillColor(0);
tdrStyle->SetFrameFillStyle(0);
tdrStyle->SetFrameLineColor(1);
tdrStyle->SetFrameLineStyle(1);
tdrStyle->SetFrameLineWidth(1);
// For the histo:
// tdrStyle->SetHistFillColor(1);
// tdrStyle->SetHistFillStyle(0);
tdrStyle->SetHistLineColor(1);
tdrStyle->SetHistLineStyle(0);
tdrStyle->SetHistLineWidth(1);
// tdrStyle->SetLegoInnerR(Float_t rad = 0.5);
// tdrStyle->SetNumberContours(Int_t number = 20);
tdrStyle->SetEndErrorSize(2);
//tdrStyle->SetErrorMarker(20);
tdrStyle->SetErrorX(0.);
tdrStyle->SetMarkerStyle(20);
//For the fit/function:
tdrStyle->SetOptFit(0);
tdrStyle->SetOptStat(0);
tdrStyle->SetFitFormat("5.4g");
tdrStyle->SetFuncColor(2);
tdrStyle->SetFuncStyle(1);
tdrStyle->SetFuncWidth(1);
//For the date:
tdrStyle->SetOptDate(0);
// tdrStyle->SetDateX(Float_t x = 0.01);
// tdrStyle->SetDateY(Float_t y = 0.01);
// For the statistics box:
tdrStyle->SetOptFile(0);
tdrStyle->SetOptStat(0); // To display the mean and RMS: SetOptStat("mr");
tdrStyle->SetStatColor(kWhite);
tdrStyle->SetStatFont(42);
tdrStyle->SetStatFontSize(0.025);
tdrStyle->SetStatTextColor(1);
tdrStyle->SetStatFormat("6.4g");
tdrStyle->SetStatBorderSize(1);
tdrStyle->SetStatH(0.1);
tdrStyle->SetStatW(0.15);
// tdrStyle->SetStatStyle(Style_t style = 1001);
// tdrStyle->SetStatX(Float_t x = 0);
// tdrStyle->SetStatY(Float_t y = 0);
// Margins:
tdrStyle->SetPadTopMargin(0.05);
tdrStyle->SetPadBottomMargin(0.13);
tdrStyle->SetPadLeftMargin(0.13);
tdrStyle->SetPadRightMargin(0.05);
// For the Global title:
// tdrStyle->SetOptTitle(0);
tdrStyle->SetTitleFont(42);
tdrStyle->SetTitleColor(1);
tdrStyle->SetTitleTextColor(1);
tdrStyle->SetTitleFillColor(10);
tdrStyle->SetTitleFontSize(0.05);
// tdrStyle->SetTitleH(0); // Set the height of the title box
// tdrStyle->SetTitleW(0); // Set the width of the title box
// tdrStyle->SetTitleX(0); // Set the position of the title box
// tdrStyle->SetTitleY(0.985); // Set the position of the title box
// tdrStyle->SetTitleStyle(Style_t style = 1001);
// tdrStyle->SetTitleBorderSize(2);
// For the axis titles:
tdrStyle->SetTitleColor(1, "XYZ");
tdrStyle->SetTitleFont(42, "XYZ");
tdrStyle->SetTitleSize(0.06, "XYZ");
// tdrStyle->SetTitleXSize(Float_t size = 0.02); // Another way to set the size?
// tdrStyle->SetTitleYSize(Float_t size = 0.02);
tdrStyle->SetTitleXOffset(0.9);
tdrStyle->SetTitleYOffset(1.05);
// tdrStyle->SetTitleOffset(1.1, "Y"); // Another way to set the Offset
// For the axis labels:
tdrStyle->SetLabelColor(1, "XYZ");
tdrStyle->SetLabelFont(42, "XYZ");
tdrStyle->SetLabelOffset(0.007, "XYZ");
tdrStyle->SetLabelSize(0.05, "XYZ");
// For the axis:
tdrStyle->SetAxisColor(1, "XYZ");
tdrStyle->SetStripDecimals(kTRUE);
tdrStyle->SetTickLength(0.03, "XYZ");
tdrStyle->SetNdivisions(510, "XYZ");
tdrStyle->SetPadTickX(1); // To get tick marks on the opposite side of the frame
tdrStyle->SetPadTickY(1);
// Change for log plots:
tdrStyle->SetOptLogx(0);
tdrStyle->SetOptLogy(0);
tdrStyle->SetOptLogz(0);
// Postscript options:
// tdrStyle->SetPaperSize(15.,15.);
// tdrStyle->SetLineScalePS(Float_t scale = 3);
// tdrStyle->SetLineStyleString(Int_t i, const char* text);
// tdrStyle->SetHeaderPS(const char* header);
// tdrStyle->SetTitlePS(const char* pstitle);
// tdrStyle->SetBarOffset(Float_t baroff = 0.5);
// tdrStyle->SetBarWidth(Float_t barwidth = 0.5);
// tdrStyle->SetPaintTextFormat(const char* format = "g");
// tdrStyle->SetPalette(Int_t ncolors = 0, Int_t* colors = 0);
// tdrStyle->SetTimeOffset(Double_t toffset);
// tdrStyle->SetHistMinimumZero(kTRUE);
tdrStyle->cd();
}
| [
"livia.soffi@cern.ch"
] | livia.soffi@cern.ch |
5e36242d4d58a146bbd42d17b82aff14b650b5df | 0f21bf823faf7c7ebf8caf72962086f3cfe19412 | /Tareas/T1/Menu_Insert.h | bf38b98bc789d016216d86bb8274df266d484a53 | [] | no_license | olgt/EDD20S2-201612341 | 9937f7435f95dedeb3eb73813d829e92fea3ad31 | 85e9b09af340c17a39db90073d6a43aa15553f4b | refs/heads/master | 2022-12-04T05:43:31.358819 | 2020-08-22T21:11:42 | 2020-08-22T21:11:42 | 284,367,042 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 241 | h | #ifndef MENU_INSERT_H
#define MENU_INSERT_H
#include <iostream>
#include <string>
#include <linkedlist.h>
#include <Nodo_estudiante.h>
using namespace std;
void printOptionsInsert(LinkedList * listaEstudiantes);
#endif // MENU_INSERT_H
| [
"ol.gt.1997@gmail.com"
] | ol.gt.1997@gmail.com |
2c19748deff2d3f080a689337a449b751a121d0a | 5e09931954b563ff1ecb449b846d76cbc6954c3f | /Project4.cpp | 5bf370903773aca2d804a946ce876722002d2910 | [] | no_license | sparksmp/Introduction_to_Data_Structures | 572295d359f046d222ef52bdb4b81443e1a6f483 | c060f0793b275172c2571381394c522eb748adfc | refs/heads/main | 2023-02-16T23:14:02.322093 | 2021-01-15T02:49:41 | 2021-01-15T02:49:41 | 329,644,830 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,033 | cpp | #include <iostream>
#include <string>
#include <cmath>
using namespace std;
class LineSegment{
private:
int a, b, c, d;
friend string show (LineSegment);
friend float getSegmentLength(LineSegment*);
public:
LineSegment(int a = 0, int b = 0, int c = 0, int d = 0);
float getSlope();
float getYIntercept();
LineSegment getLongerSegment(LineSegment, LineSegment);
LineSegment operator + (LineSegment B){
return LineSegment(a + B.a, b + B.b, c + B.c, d + B.d);
}
};
LineSegment::LineSegment(int x1, int y1, int x2, int y2){
a = x1;
b = y1;
c = x2;
d = y2;
}
string show(LineSegment C){
return "Line segment between points (" + to_string(C.a)+ ", " + to_string(C.b) + ") and (" + to_string(C.c) + ", " + to_string(C.d) + ").";
}
float LineSegment::getSlope(){
return (d - b) / double(c - a);
}
float LineSegment::getYIntercept(){
float slope = getSlope();
return d - slope * c;
}
float getSegmentLength(LineSegment* C){
float point1 = abs(C -> a - C -> c);
float point2 = abs(C -> b - C -> d);
float length = sqrt(pow(point1, 2) + pow(point2, 2));
return length;
}
LineSegment getLongerSegment(LineSegment A, LineSegment B){
double line1 = getSegmentLength(&A);
double line2 = getSegmentLength(&B);
if (line1 > line2)
return A;
else
return B;
}
int main(){
LineSegment A(2, 8, 4, 9);
LineSegment B(3, 11, 6, 21);
cout << show(A) << endl;
// Line segment between points (2, 8) and (4, 9).
cout << show(B) << endl;
// Line segment between points (3, 11) and (6, 21).
cout << A.getSlope() << endl;
// 0.5
cout << B.getYIntercept() << endl;
// 1
cout << getSegmentLength(&A) << endl;
// 2.23607
cout << show(getLongerSegment(A, B)) << endl;
// Line segment between points (3, 11) and (6, 21).
cout << show(A + B) << endl;
// Line segment between points (5, 19) and (10, 30).
return 0;
} | [
"77449356+sparksmp@users.noreply.github.com"
] | 77449356+sparksmp@users.noreply.github.com |
f38ec9558fd9dca598a943f192beaadb3df42f4d | 7bfa4a7f06fc484db75714eedae8e635b5b93d07 | /C++/11_数组类.cpp | ab00bc062533c23a6d752ccd78ea37609a46f8f9 | [] | no_license | Alicelalala/Code | f92fb2175058bb3678603e2ef45768139cc82ded | 9377af2c156b331f540ffb7113766ecb3025b5a6 | refs/heads/master | 2020-03-26T01:07:04.006552 | 2019-01-18T11:41:41 | 2019-01-18T11:41:41 | 144,352,414 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,619 | cpp | /*************************************************************************
> File Name: 11_数组类.cpp
> Author: caohaiyan
> Mail: 877022406@qq.com
> Created Time: 2019年01月18日 星期五 19时05分18秒
************************************************************************/
#include <iostream>
using std::cin;
using std::cout;
using std::endl;
class Array {
private:
int m_len;
int *data;
public:
Array(int len = 0) {
data = new int[len];
for (int i = 0; i < len; ++i) {
data[i] = 0;
}
m_len = len;
}
Array &operator = (const Array &obj) {
if (this != &obj) {
int *p = new int[obj.m_len];
if (p) {
for (int i = 0; i < obj.m_len; ++i) {
p[i] = obj.data[i];
}
m_len = obj.m_len;
delete[] data;
data = p;
}
}
return *this;
}
void set(int index, int value) {
if (index >= 0 && index < m_len) {
data[index] = value;
}
}
int get(int index) {
if (index >= 0 && index < m_len) {
return data[index];
}
}
};
int main() {
Array a1(5);
for (int i = 0; i < 5; ++i) {
a1.set(i, i + 1);
}
for (int i = 0; i < 5; ++i) {
cout << a1.get(i) << " ";
}
cout << endl;
Array a2(10);
for (int i = 0; i < 10; ++i) {
a2.set(i, i + 1);
}
for (int i = 0; i < 10; ++i) {
cout << a2.get(i) << " ";
}
cout << endl;
return 0;
}
| [
"877022406@qq.com"
] | 877022406@qq.com |
70a6ac8031488e12e65ec28586dbef91fb00867a | 4f528148a10f67779e276ec693aff06ccd876b9e | /Source/TD/Orb/OrbMovement.cpp | 7c8b91fc4683a08bdd4db516d322d8238af8ed7b | [
"MIT"
] | permissive | JJamesWWang/Telekinetic-Dodgeball | a8ec87d8a609f096216cc7d21a2311fa9d973042 | 82e62990697c8dc1f7389e59f5a2cc60210fa12d | refs/heads/main | 2023-06-23T21:58:18.416223 | 2021-07-23T19:49:21 | 2021-07-23T19:49:21 | 388,909,958 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,893 | cpp | // Copyright 2021, James S. Wang, All rights reserved.
#include "OrbMovement.h"
#include "DrawDebugHelpers.h"
#include "Propellable.h"
#include "GameConfiguration.h"
#include "Player/TDCharacter.h"
UOrbMovement::UOrbMovement()
{
bShouldBounce = true;
bRotationFollowsVelocity = true;
ProjectileGravityScale = 0.0f;
Bounciness = 1.0f;
Friction = 0.0f;
}
void UOrbMovement::TickComponent(float DeltaTime, ELevelTick TickType,
FActorComponentTickFunction* ThisTickFunction)
{
Super::TickComponent(DeltaTime, TickType, ThisTickFunction);
if (PlayerVForce != FVector::ZeroVector)
{
Velocity += PlayerVForce * DeltaTime;
Velocity = LimitVelocity(Velocity);
}
}
void UOrbMovement::HandleImpact(const FHitResult& Hit, float TimeSlice,
const FVector& MoveDelta)
{
bool bStopSimulating = false;
if (bShouldBounce)
{
OnProjectileImpact.Broadcast(Hit, Velocity);
// Wrap the "bounce" code with a check for if we should push this
// actor. If we shouldn't push, then proceed as normal, otherwise the
// projectile movement code will defer to a call to HandleDeflection()
// We then override HandleDeflection() to push instead of deflect.
UPrimitiveComponent* Component = Hit.GetComponent();
if (Component == nullptr || !ChannelsToPropel.Contains(
Component->GetCollisionObjectType()))
{
const FVector OldVelocity = Velocity;
Velocity = ComputeBounceResult(Hit, TimeSlice, MoveDelta);
// Trigger bounce events
OnProjectileBounce.Broadcast(Hit, OldVelocity);
// Event may modify velocity or threshold, so check velocity
// threshold now.
Velocity = LimitVelocity(Velocity);
if (IsVelocityUnderSimulationThreshold())
{
bStopSimulating = true;
}
}
}
else
{
bStopSimulating = true;
}
if (bStopSimulating)
{
StopSimulating(Hit);
}
}
bool UOrbMovement::HandleDeflection(FHitResult& Hit, const FVector& OldVelocity,
const uint32 NumBounces, float& SubTickTimeRemaining)
{
PropelActor(Hit, OldVelocity);
return true;
}
void UOrbMovement::PropelActor(FHitResult& Hit,
const FVector& OldVelocity) const
{
IPropellable* Actor = Cast<IPropellable>(Hit.GetActor());
if (Actor != nullptr)
{
Actor->OnPropelled(OldVelocity);
}
}
void UOrbMovement::OnPushed(ATDCharacter* Player, const FHitResult& Hit)
{
if (Player == nullptr)
{
LogInvalidPointer("UOrbMovement", "OnPushed", "Player");
return;
}
AActor* Owner = GetOwner();
const FVector PushDirection = (Owner->GetActorLocation() - Hit.ImpactPoint).
GetSafeNormal();
Telekinese(Player, Hit, PushDirection);
}
void UOrbMovement::OnPulled(ATDCharacter* Player, const FHitResult& Hit)
{
if (Player == nullptr)
{
LogInvalidPointer("UOrbMovement", "OnPushed", "Player");
return;
}
AActor* Owner = GetOwner();
const FVector PullDirection = (Hit.ImpactPoint - Owner->GetActorLocation()).
GetSafeNormal();
Telekinese(Player, Hit, PullDirection);
}
void UOrbMovement::SetPlayerVForce(const FVector& Force)
{
PlayerVForce = Force * VForceMultiplier;
}
void UOrbMovement::Telekinese(ATDCharacter* Player,
const FHitResult& Hit, const FVector& ForceDirection)
{
Velocity = LimitVelocity(CalculateRedirectVelocity(Hit, ForceDirection));
SetPlayerVForce(Player->GetVelocity());
}
FVector UOrbMovement::CalculateRedirectVelocity(const FHitResult& Hit,
const FVector& ForceDirection) const
{
FVector NewVelocity = Velocity;
const float SpeedFactor = CalculateSpeedFactor(Hit);
// Add the telekinetic force in the force direction
NewVelocity += ForceDirection * TelekineticSpeed * SpeedFactor;
const float ForceDirectionDot = FVector::DotProduct(NewVelocity,
ForceDirection);
// If in the right direction and fast enough, return without adjustment.
if (ForceDirectionDot > 0.0f && ForceDirectionDot >= InitialSpeed)
{
return NewVelocity;
}
// Else add speed in the force direction until it reaches the min speed.
const FVector MinRedirectVelocity =
ForceDirection * InitialSpeed * SpeedFactor;
NewVelocity += MinRedirectVelocity - FVector::DotProduct(NewVelocity,
ForceDirection) * ForceDirection;
return NewVelocity;
}
float UOrbMovement::CalculateSpeedFactor(const FHitResult& Hit) const
{
AActor* Owner = GetOwner();
const FVector TraceDirection = (Hit.TraceEnd - Hit.TraceStart).
GetSafeNormal();
const FVector OrbDirection = (Owner->GetActorLocation() - Hit.TraceStart).
GetSafeNormal();
return FVector::DotProduct(TraceDirection, OrbDirection);
}
| [
"jjameswwang@gmail.com"
] | jjameswwang@gmail.com |
4180a34050ca5b1bef657bcf9da83b0818ca8ba9 | 3324531302383f3e5d9ab4be23cb25de627add2e | /lab3/calculator/Variable.cpp | fe287c0f6dbfe22cd371e3b6be390585953300a4 | [] | no_license | mpaymetov/oop-labs | a5d948eaa4624f7efb5856511a001ad504bdb2ae | 1652ac7e89c49ad13de6444b19324c8e8feb2832 | refs/heads/master | 2021-04-30T05:49:26.031137 | 2019-07-07T21:35:44 | 2019-07-07T21:35:44 | 121,425,851 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 184 | cpp | #include "stdafx.h"
#include "Variable.h"
#include "Function.h"
double CVariable::GetValue() const
{
return m_value;
}
void CVariable::SetValue(double value)
{
m_value = value;
}
| [
"muxa147@gmail.com"
] | muxa147@gmail.com |
793c47059cd05bc0b074c99e400c69e2ff090b39 | 6ec209c1f6f3ca8017a5373ba2e85da38dfda90c | /bfs/662.cc | bbc0c20754d94c1e42a12781c8e482ec0d2e5c5e | [
"Apache-2.0"
] | permissive | MingfeiPan/leetcode | a70192233f7112ce39cc7b09d782bdcc52d29d06 | 057d9f014cf207ab4e50e14e5a9e015724de1386 | refs/heads/master | 2022-05-09T01:40:39.599374 | 2022-04-10T15:03:07 | 2022-04-10T15:03:07 | 60,593,146 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,233 | cc | /**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
struct Item {
TreeNode* root;
int64_t level;
int64_t pos;
};
public:
int widthOfBinaryTree(TreeNode* root) {
if (!root) return 0;
std::queue<Item> q;
q.emplace(Item{root, 0, 1});
int64_t curlevel = 0, curpos = 1, ret = 0, MOD = 2147483649;
while (!q.empty()) {
auto item = q.front();
q.pop();
if (item.level != curlevel) {
curlevel = item.level;
curpos = item.pos;
} else {
ret = std::max(ret, item.pos - curpos + 1);
}
if (item.root->left)
q.emplace(Item{item.root->left, item.level+1, item.pos*2 % MOD});
if (item.root->right)
q.emplace(Item{item.root->right, item.level+1, (item.pos*2+1) % MOD});
}
return ret;
}
};
| [
"113104667@umail.ucc.ie"
] | 113104667@umail.ucc.ie |
d3eb3a4bb74a4205d23dfcbb06b52632821e037c | ce71ba08e9094a4d76c8cc1e0cc7891ae016ff60 | /Lib/Register/IsolatedFactories.hpp | d9a7cfaf7091fe4a0d307e415e0c8c53e74668f7 | [
"Apache-2.0"
] | permissive | operativeF/Kvasir | 9bfe25e1844d41ffefe527f16117c618af50cde9 | dfbcbdc9993d326ef8cc73d99129e78459c561fd | refs/heads/master | 2020-04-06T13:12:59.381009 | 2019-01-25T18:43:17 | 2019-01-25T18:43:17 | 157,489,295 | 0 | 0 | Apache-2.0 | 2018-11-14T04:12:05 | 2018-11-14T04:12:04 | null | UTF-8 | C++ | false | false | 1,154 | hpp | /**************************************************************************
* This file contains the Kvasir Register Abstraction DSL (Domain Specific Language)
* which provide an extra layer between Hardware SFRs
* (Special Function Registers) and code accessing them.
* Copyright 2015 Odin Holmes
* Aditional contribution from Stephan Bökelmann
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
****************************************************************************/
#pragma once
#include "Utility.hpp"
namespace Kvasir{
namespace Register{
template<typename T>
constexpr MPL::EnableIfT<Detail::IsWriteLiteral<T>::value> isolated(T){
}
}
}
| [
"holmes.odin@gmail.com"
] | holmes.odin@gmail.com |
aebf146a2c84789c05b7819a55f4830d4624883b | 0c3b51a5672113aacb72294c7b552534629b21d7 | /chrome/browser/extensions/api/file_system/file_system_apitest_chromeos.cc | f221c56d31847bb2f5965ee0f498af19cdcfe127 | [
"BSD-3-Clause"
] | permissive | anon-with-no-name/zirconium | dd7321912c0db0a81421f3af7b9816767c7dc654 | 4e0235ea5bfe8856f696f89ddb67fc1f21176d5b | refs/heads/master | 2020-12-26T06:53:57.666632 | 2015-04-05T23:31:13 | 2015-04-05T23:31:13 | 33,467,629 | 0 | 0 | null | 2015-04-06T06:48:47 | 2015-04-06T05:07:33 | C++ | UTF-8 | C++ | false | false | 17,059 | cc | // Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "chrome/browser/extensions/api/file_system/file_system_api.h"
#include "base/files/file_util.h"
#include "base/files/scoped_temp_dir.h"
#include "base/path_service.h"
#include "chrome/browser/apps/app_browsertest_util.h"
#include "chrome/browser/chromeos/drive/drive_integration_service.h"
#include "chrome/browser/chromeos/drive/file_system_interface.h"
#include "chrome/browser/chromeos/drive/file_system_util.h"
#include "chrome/browser/chromeos/file_manager/volume_manager.h"
#include "chrome/browser/chromeos/login/users/fake_chrome_user_manager.h"
#include "chrome/browser/chromeos/login/users/scoped_user_manager_enabler.h"
#include "chrome/browser/chromeos/profiles/profile_helper.h"
#include "chrome/browser/drive/fake_drive_service.h"
#include "chrome/browser/extensions/component_loader.h"
#include "chrome/common/chrome_paths.h"
#include "chrome/common/extensions/features/feature_channel.h"
#include "content/public/test/test_utils.h"
#include "google_apis/drive/drive_api_parser.h"
#include "google_apis/drive/test_util.h"
#include "storage/browser/fileapi/external_mount_points.h"
#include "ui/base/ui_base_types.h"
using file_manager::VolumeManager;
namespace extensions {
namespace {
// Mount point names for chrome.fileSystem.requestFileSystem() tests.
const char kWritableMountPointName[] = "writable";
const char kReadOnlyMountPointName[] = "read-only";
// Child directory created in each of the mount points.
const char kChildDirectory[] = "child-dir";
} // namespace
// Skips the user consent dialog for chrome.fileSystem.requestFileSystem() and
// simulates clicking of the specified dialog button.
class ScopedSkipRequestFileSystemDialog {
public:
explicit ScopedSkipRequestFileSystemDialog(ui::DialogButton button) {
FileSystemRequestFileSystemFunction::SetAutoDialogButtonForTest(button);
}
~ScopedSkipRequestFileSystemDialog() {
FileSystemRequestFileSystemFunction::SetAutoDialogButtonForTest(
ui::DIALOG_BUTTON_NONE);
}
private:
DISALLOW_COPY_AND_ASSIGN(ScopedSkipRequestFileSystemDialog);
};
// This class contains chrome.filesystem API test specific to Chrome OS, namely,
// the integrated Google Drive support.
class FileSystemApiTestForDrive : public PlatformAppBrowserTest {
public:
FileSystemApiTestForDrive()
: fake_drive_service_(NULL),
integration_service_(NULL) {
}
// Sets up fake Drive service for tests (this has to be injected before the
// real DriveIntegrationService instance is created.)
void SetUpInProcessBrowserTestFixture() override {
PlatformAppBrowserTest::SetUpInProcessBrowserTestFixture();
extensions::ComponentLoader::EnableBackgroundExtensionsForTesting();
ASSERT_TRUE(test_cache_root_.CreateUniqueTempDir());
create_drive_integration_service_ =
base::Bind(&FileSystemApiTestForDrive::CreateDriveIntegrationService,
base::Unretained(this));
service_factory_for_test_.reset(
new drive::DriveIntegrationServiceFactory::ScopedFactoryForTest(
&create_drive_integration_service_));
}
// Ensure the fake service's data is fetch in the local file system. This is
// necessary because the fetch starts lazily upon the first read operation.
void SetUpOnMainThread() override {
PlatformAppBrowserTest::SetUpOnMainThread();
scoped_ptr<drive::ResourceEntry> entry;
drive::FileError error = drive::FILE_ERROR_FAILED;
integration_service_->file_system()->GetResourceEntry(
base::FilePath::FromUTF8Unsafe("drive/root"), // whatever
google_apis::test_util::CreateCopyResultCallback(&error, &entry));
content::RunAllBlockingPoolTasksUntilIdle();
ASSERT_EQ(drive::FILE_ERROR_OK, error);
}
void TearDown() override {
FileSystemChooseEntryFunction::StopSkippingPickerForTest();
PlatformAppBrowserTest::TearDown();
};
private:
drive::DriveIntegrationService* CreateDriveIntegrationService(
Profile* profile) {
// Ignore signin profile.
if (profile->GetPath() == chromeos::ProfileHelper::GetSigninProfileDir())
return NULL;
// FileSystemApiTestForDrive doesn't expect that several user profiles could
// exist simultaneously.
DCHECK(fake_drive_service_ == NULL);
fake_drive_service_ = new drive::FakeDriveService;
fake_drive_service_->LoadAppListForDriveApi("drive/applist.json");
SetUpTestFileHierarchy();
integration_service_ = new drive::DriveIntegrationService(
profile, NULL, fake_drive_service_, std::string(),
test_cache_root_.path(), NULL);
return integration_service_;
}
void SetUpTestFileHierarchy() {
const std::string root = fake_drive_service_->GetRootResourceId();
ASSERT_TRUE(AddTestFile("open_existing.txt", "Can you see me?", root));
ASSERT_TRUE(AddTestFile("open_existing1.txt", "Can you see me?", root));
ASSERT_TRUE(AddTestFile("open_existing2.txt", "Can you see me?", root));
ASSERT_TRUE(AddTestFile("save_existing.txt", "Can you see me?", root));
const std::string subdir = AddTestDirectory("subdir", root);
ASSERT_FALSE(subdir.empty());
ASSERT_TRUE(AddTestFile("open_existing.txt", "Can you see me?", subdir));
}
bool AddTestFile(const std::string& title,
const std::string& data,
const std::string& parent_id) {
scoped_ptr<google_apis::FileResource> entry;
google_apis::DriveApiErrorCode error = google_apis::DRIVE_OTHER_ERROR;
fake_drive_service_->AddNewFile(
"text/plain", data, parent_id, title, false,
google_apis::test_util::CreateCopyResultCallback(&error, &entry));
content::RunAllPendingInMessageLoop();
return error == google_apis::HTTP_CREATED && entry;
}
std::string AddTestDirectory(const std::string& title,
const std::string& parent_id) {
scoped_ptr<google_apis::FileResource> entry;
google_apis::DriveApiErrorCode error = google_apis::DRIVE_OTHER_ERROR;
fake_drive_service_->AddNewDirectory(
parent_id, title, drive::AddNewDirectoryOptions(),
google_apis::test_util::CreateCopyResultCallback(&error, &entry));
content::RunAllPendingInMessageLoop();
return error == google_apis::HTTP_CREATED && entry ? entry->file_id() : "";
}
base::ScopedTempDir test_cache_root_;
drive::FakeDriveService* fake_drive_service_;
drive::DriveIntegrationService* integration_service_;
drive::DriveIntegrationServiceFactory::FactoryCallback
create_drive_integration_service_;
scoped_ptr<drive::DriveIntegrationServiceFactory::ScopedFactoryForTest>
service_factory_for_test_;
};
// This class contains chrome.filesystem.requestFileSystem API tests.
class FileSystemApiTestForRequestFileSystem : public PlatformAppBrowserTest {
public:
FileSystemApiTestForRequestFileSystem()
: current_channel_(chrome::VersionInfo::CHANNEL_DEV),
fake_user_manager_(nullptr) {}
void SetUpOnMainThread() override {
ASSERT_TRUE(temp_dir_.CreateUniqueTempDir());
CreateTestingFileSystem(kWritableMountPointName, false /* read_only */);
CreateTestingFileSystem(kReadOnlyMountPointName, true /* read_only */);
PlatformAppBrowserTest::SetUpOnMainThread();
}
void TearDownOnMainThread() override {
PlatformAppBrowserTest::TearDownOnMainThread();
user_manager_enabler_.reset();
fake_user_manager_ = nullptr;
}
protected:
extensions::ScopedCurrentChannel current_channel_;
base::ScopedTempDir temp_dir_;
chromeos::FakeChromeUserManager* fake_user_manager_;
scoped_ptr<chromeos::ScopedUserManagerEnabler> user_manager_enabler_;
// Creates a testing file system in a testing directory.
void CreateTestingFileSystem(const std::string& mount_point_name,
bool read_only) {
const base::FilePath mount_point_path =
temp_dir_.path().Append(mount_point_name);
LOG(ERROR) << mount_point_path.value();
ASSERT_TRUE(base::CreateDirectory(mount_point_path));
ASSERT_TRUE(
base::CreateDirectory(mount_point_path.Append(kChildDirectory)));
ASSERT_TRUE(content::BrowserContext::GetMountPoints(browser()->profile())
->RegisterFileSystem(
mount_point_name, storage::kFileSystemTypeNativeLocal,
storage::FileSystemMountOption(), mount_point_path));
VolumeManager* const volume_manager =
VolumeManager::Get(browser()->profile());
ASSERT_TRUE(volume_manager);
volume_manager->AddVolumeForTesting(
mount_point_path, file_manager::VOLUME_TYPE_TESTING,
chromeos::DEVICE_TYPE_UNKNOWN, read_only);
}
// Simulates entering the kiosk session.
void EnterKioskSession() {
fake_user_manager_ = new chromeos::FakeChromeUserManager();
user_manager_enabler_.reset(
new chromeos::ScopedUserManagerEnabler(fake_user_manager_));
const std::string kKioskLogin = "kiosk@foobar.com";
fake_user_manager_->AddKioskAppUser(kKioskLogin);
fake_user_manager_->LoginUser(kKioskLogin);
}
};
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenExistingFileTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/open_existing.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/open_existing"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenExistingFileWithWriteTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/open_existing.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/open_existing_with_write")) << message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenMultipleSuggested) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/open_existing.txt");
ASSERT_TRUE(PathService::OverrideAndCreateIfNeeded(
chrome::DIR_USER_DOCUMENTS, test_file.DirName(), true, false));
FileSystemChooseEntryFunction::SkipPickerAndSelectSuggestedPathForTest();
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/open_multiple_with_suggested_name"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenMultipleExistingFilesTest) {
base::FilePath test_file1 = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/open_existing1.txt");
base::FilePath test_file2 = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/open_existing2.txt");
std::vector<base::FilePath> test_files;
test_files.push_back(test_file1);
test_files.push_back(test_file2);
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathsForTest(
&test_files);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/open_multiple_existing"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenDirectoryTest) {
base::FilePath test_directory =
drive::util::GetDriveMountPointPath(browser()->profile()).AppendASCII(
"root/subdir");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_directory);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/open_directory"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenDirectoryWithWriteTest) {
base::FilePath test_directory =
drive::util::GetDriveMountPointPath(browser()->profile()).AppendASCII(
"root/subdir");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_directory);
ASSERT_TRUE(
RunPlatformAppTest("api_test/file_system/open_directory_with_write"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenDirectoryWithoutPermissionTest) {
base::FilePath test_directory =
drive::util::GetDriveMountPointPath(browser()->profile()).AppendASCII(
"root/subdir");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_directory);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/open_directory_without_permission"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiOpenDirectoryWithOnlyWritePermissionTest) {
base::FilePath test_directory =
drive::util::GetDriveMountPointPath(browser()->profile()).AppendASCII(
"root/subdir");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_directory);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/open_directory_with_only_write"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiSaveNewFileTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/save_new.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/save_new"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiSaveExistingFileTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/save_existing.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/save_existing"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiSaveNewFileWithWriteTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/save_new.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest("api_test/file_system/save_new_with_write"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForDrive,
FileSystemApiSaveExistingFileWithWriteTest) {
base::FilePath test_file = drive::util::GetDriveMountPointPath(
browser()->profile()).AppendASCII("root/save_existing.txt");
FileSystemChooseEntryFunction::SkipPickerAndAlwaysSelectPathForTest(
&test_file);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/save_existing_with_write")) << message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem, Background) {
EnterKioskSession();
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_OK);
ASSERT_TRUE(
RunPlatformAppTest("api_test/file_system/request_file_system_background"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem, ReadOnly) {
EnterKioskSession();
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_OK);
ASSERT_TRUE(
RunPlatformAppTest("api_test/file_system/request_file_system_read_only"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem, Writable) {
EnterKioskSession();
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_OK);
ASSERT_TRUE(
RunPlatformAppTest("api_test/file_system/request_file_system_writable"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem, UserReject) {
EnterKioskSession();
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_CANCEL);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/request_file_system_user_reject"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem, NotKioskSession) {
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_OK);
ASSERT_TRUE(RunPlatformAppTest(
"api_test/file_system/request_file_system_not_kiosk_session"))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem,
WhitelistedComponent) {
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_CANCEL);
ASSERT_TRUE(RunPlatformAppTestWithFlags(
"api_test/file_system/request_file_system_whitelisted_component",
kFlagLoadAsComponent))
<< message_;
}
IN_PROC_BROWSER_TEST_F(FileSystemApiTestForRequestFileSystem,
NotWhitelistedComponent) {
ScopedSkipRequestFileSystemDialog dialog_skipper(ui::DIALOG_BUTTON_OK);
ASSERT_TRUE(RunPlatformAppTestWithFlags(
"api_test/file_system/request_file_system_not_whitelisted_component",
kFlagLoadAsComponent))
<< message_;
}
} // namespace extensions
| [
"mou4e@tfwno.gf"
] | mou4e@tfwno.gf |
b3113ccc6078d56185ed529449f63b3679866640 | aab3aecb7d154181f93c89a6e172e734e3a5897d | /YALCIN_UKAS/code/NMS_GUI/vt3_code/vt3_signature.cpp | 5147900ff14501512d208b97b5808f37a9a95721 | [] | no_license | nurolyazilim/YALCIN3_UKAS | 6631b45e51fd6c108ae2eb81d743d570c3596618 | ced09e09d7249443e91f9e2cde25118621242dc3 | refs/heads/main | 2023-03-14T02:45:04.654564 | 2021-03-05T13:02:40 | 2021-03-05T13:02:40 | 344,042,400 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 408 | cpp | /* device: /project/NMS_GUI */
/* device model: PC_Windows */
/* vt3 version: 7.6.3.2-stable */
/* this file has been generated automatically by vt3 - do not modify! */
#include "vt3_runtime.h"
/* the software signature */
const unsigned char FAR vt3_signature_software[16] = {
0xF4, 0x95, 0xEF, 0xF9, 0xE4, 0xFC, 0x84, 0xDA, 0xEC, 0x23, 0xCE, 0x10, 0x75, 0x36, 0x05, 0x48
};
/* end of file */
| [
"batuayirtman@gmail.com"
] | batuayirtman@gmail.com |
86d036b5c3cb6e0a6dd717541a1b5cfc63dcccc8 | 91a882547e393d4c4946a6c2c99186b5f72122dd | /Source/XPSP1/NT/inetsrv/iis/ui/admin/certmap/crackcrt.h | aabaee4073c2240c184479fc51e022d217f4539c | [] | no_license | IAmAnubhavSaini/cryptoAlgorithm-nt5src | 94f9b46f101b983954ac6e453d0cf8d02aa76fc7 | d9e1cdeec650b9d6d3ce63f9f0abe50dabfaf9e2 | refs/heads/master | 2023-09-02T10:14:14.795579 | 2021-11-20T13:47:06 | 2021-11-20T13:47:06 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,022 | h |
class CCrackedCert
{
public:
// constructor
CCrackedCert();
~CCrackedCert();
// give it a cert to crack. If this object was previously used to
// crack a key, cleanup is automatically done and the new key is
// cracked. - NOTE: The target key MUST have either a certificate
// or a certificate request. Those are what get cracked. A return
// value of 0 indicates success
BOOL CrackCert( PUCHAR pCert, DWORD cbCert );
// The rest of the methods access the data in the cracked certificate
DWORD GetVersion();
DWORD* PGetSerialNumber(); // returns a pointer to a DWORD[4]
int GetSignatureAlgorithm();
FILETIME GetValidFrom();
FILETIME GetValidUntil();
PVOID PSafePublicKey();
DWORD GetBitLength();
void GetIssuer( CString &sz );
void GetIssuerCountry( CString &sz );
void GetIssuerOrganization( CString &sz );
void GetIssuerUnit( CString &sz );
void GetSubject( CString &sz );
void GetSubjectCountry( CString &sz );
void GetSubjectState( CString &sz );
void GetSubjectLocality( CString &sz );
void GetSubjectCommonName( CString &sz );
void GetSubjectOrganization( CString &sz );
void GetSubjectUnit( CString &sz );
protected:
// string constants for distinguishing names. Not to be localized
#define SZ_KEY_COUNTRY _T("C=")
#define SZ_KEY_STATE _T("S=")
#define SZ_KEY_LOCALITY _T("L=")
#define SZ_KEY_ORGANIZATION _T("O=")
#define SZ_KEY_ORGUNIT _T("OU=")
#define SZ_KEY_COMNAME _T("CN=")
private:
void GetSubjectDN( CString &szDN, LPCTSTR szKey );
void GetIssuerDN( CString &szDN, LPCTSTR szKey );
// declare the x509 pointer as void so that the
// files instantiating this don't have to include wincrypt
PVOID m_pData;
};
| [
"support@cryptoalgo.cf"
] | support@cryptoalgo.cf |
d44312ff5d2c89910e85d9d1fabdee69a810a0ee | 1b8e1ddcb86f0a5cd018bc6b3400c8c6fb1c1984 | /server/server/dancegroup/.svn/text-base/BigMamaConfig.h.svn-base | 391cd7f951f4324a3da12dd47647cbe48781e623 | [] | no_license | yzfrs/ddianle_d1 | 5e9a3ab0ad646ca707368850c01f8117a09f5bfd | abffb574419cc2a8a361702e012cdd14f1102a6d | refs/heads/master | 2021-01-01T03:32:51.973703 | 2016-05-12T09:27:00 | 2016-05-12T09:27:00 | 58,615,329 | 0 | 2 | null | null | null | null | GB18030 | C++ | false | false | 3,504 | #ifndef __BIGMAMACONFIG_H__
#define __BIGMAMACONFIG_H__
#include <vector>
#include <list>
#include "../../datastructure/DataStruct_Base.h"
class CFileStream;
class BigMamaStageInfo
{
public:
BigMamaStageInfo();
virtual ~BigMamaStageInfo();
public:
bool Load(CFileStream & file);
// void doEncode(CParamPool & IOBuff);
// [ExcelHeader("关卡ID")]
unsigned short m_nStageID;
// [ExcelHeader("歌曲ID")]
unsigned short m_nMusicID;
// [ExcelHeader("模式ID")]
unsigned char m_nModeID;
// [ExcelHeader("难度")]
unsigned char m_nLevel;
// [ExcelHeader("NPCID")]
unsigned char m_nNpcID;
// [ExcelHeader("TargetScore")]
unsigned int m_nTargetScore;
// [ExcelHeader("场景ID")]
unsigned char m_nSceneID;
// [ExcelHeader("随机概率")]
unsigned int m_nRatio;
};
class BigMamaExchange
{
public:
BigMamaExchange();
virtual ~BigMamaExchange();
public:
bool Load(CFileStream & file);
// void doEncode(CParamPool & IOBuff);
// [ExcelHeader("性别")]
unsigned char m_nSex; // 0:通用,1:男用,2:女用
// [ExcelHeader("兑换物品ID")]
unsigned int m_nTargetItemID;
// [ExcelHeader("兑换物品时效")]
int m_nTargetMatune;
// [ExcelHeader("兑换物品数量")]
unsigned int m_nTargetCount;
// [ExcelHeader("材料1物品ID")]
unsigned int m_nM1ItemID;
// [ExcelHeader("材料1物品时效")]
int m_nM1Matune;
// [ExcelHeader("材料1物品数量")]
unsigned int m_nM1Count;
// [ExcelHeader("材料2物品ID")]
unsigned int m_nM2ItemID;
// [ExcelHeader("材料2物品时效")]
int m_nM2Matune;
// [ExcelHeader("材料2物品数量")]
unsigned int m_nM2Count;
// [ExcelHeader("材料3物品ID")]
unsigned int m_nM3ItemID;
// [ExcelHeader("材料2物品时效")]
int m_nM3Matune;
// [ExcelHeader("材料2物品数量")]
unsigned int m_nM3Count;
// [ExcelHeader("舞团贡献")]
unsigned int m_nDanceGroupContibute;
// [ExcelHeader("金券")]
unsigned int m_nMoneyCount;
// [ExcelHeader("绑定M币")]
unsigned int m_nBindMCoinCount;
// [ExcelHeader("M币")]
unsigned int m_nMCoinCount;
};
// boss配置
class BigMamaBossConfig
{
public:
BigMamaBossConfig();
~BigMamaBossConfig(){};
public:
bool Load(CFileStream&file);
// bool Save(CFileStream&file);
public:
int m_nBossID;
std::string m_strName;
unsigned char m_cSex;
int m_cSKinColor;
std::map<EItemClothType, itemtype_t> m_Equips;
};
class BigMamaLuckData
{
public:
BigMamaLuckData();
~BigMamaLuckData();
unsigned int m_nNpcID;
unsigned int m_nBaseProb;
unsigned int m_nProbGrowRatio;
};
enum EBigMamaRewardsType
{
EBigMamaRewardsType_UnJoin = 1,
EBigMamaRewardsType_Join = 2,
EBigMamaRewardsType_Killer = 3,
EBigMamaRewardsType_XiaoLian = 4,
EBigMamaRewardsType_XiaoRuan = 5,
};
class BigMamaReward
{
public:
BigMamaReward();
~BigMamaReward();
EBigMamaRewardsType m_rewardType;
std::list<CItem> m_vecMaleItem;
std::list<CItem> m_vecFemaleItem;
unsigned int m_nMoney;
unsigned int m_nBindCoin;
unsigned int m_nDanceGroupContribution;
};
#endif | [
"root@localhost.localdomain"
] | root@localhost.localdomain | |
5952d96b62ae9e77fd66fa8999f67d3383f3e207 | 9950719133492b6107dd79e43a936a5f84e422b2 | /trunk/src/db/User.hpp | 3ea364fc95214873b2c22c27b00c9b99a0fa82cf | [] | no_license | BGCX067/faithproject-svn-to-git | 6952f539bab392eae5e04416efe2f9583f1a185e | 713ad7a13a0a91da72e6eb71615bdb0a69ff426a | refs/heads/master | 2016-09-01T08:56:54.395334 | 2015-12-28T14:42:06 | 2015-12-28T14:42:06 | 48,874,798 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 617 | hpp | #ifndef _FAITH_DB_USER_HPP__
#define _FAITH_DB_USER_HPP__
#include <Wt/Dbo/Dbo>
#include <string>
namespace Faith
{
namespace Db
{
class User
{
public:
User() {}
public:
std::string name;
std::string password;
template<class Action>
void persist(Action& a)
{
Wt::Dbo::field(a, name, "name");
Wt::Dbo::field(a, password, "password");
}
};
}
}
#endif // _FAITH_DB_USER_HPP__
| [
"you@example.com"
] | you@example.com |
f38110b094fc40645f3f9ef9b4d735b212935668 | 8f57428e5b9177f8e7029dd9925f8a5c71c45abc | /MaxMatchedSeq.cpp | 039cdc418f3475a1823116809bf3c009d4fccff3 | [] | no_license | Manav-Aggarwal/competitive-programming | a047c63f730299ce16b6bd59f7d3b9830df8966e | 8a429aa280b8fddf8baa08821dd8c22cdff2067e | refs/heads/master | 2021-01-19T01:09:03.084880 | 2017-04-04T19:52:12 | 2017-04-04T19:52:12 | 87,227,814 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 231 | cpp | /* Written By Manav Aggarwal */
#include <bits/stdc++.h>
using namespace std;
#define endl '\n'
#define ll long long
int main()
{
ios_base::sync_with_stdio(false); cin.tie(0);
string seq;
cin >> seq;
return 0;
}
| [
"Manav@Manavs-MacBook-Air.local"
] | Manav@Manavs-MacBook-Air.local |
361e3d43ffbea24e1de4d7822a16b9e848bedb15 | fb5b25b4fbe66c532672c14dacc520b96ff90a04 | /export/release/windows/obj/include/flixel/system/macros/FlxMacroUtil.h | dd01a61ffbb5f4a2bb0c6cb3fc8e59bf6cdcc758 | [
"Apache-2.0"
] | permissive | Tyrcnex/tai-mod | c3849f817fe871004ed171245d63c5e447c4a9c3 | b83152693bb3139ee2ae73002623934f07d35baf | refs/heads/main | 2023-08-15T07:15:43.884068 | 2021-09-29T23:39:23 | 2021-09-29T23:39:23 | 383,313,424 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,773 | h | #ifndef INCLUDED_flixel_system_macros_FlxMacroUtil
#define INCLUDED_flixel_system_macros_FlxMacroUtil
#ifndef HXCPP_H
#include <hxcpp.h>
#endif
HX_DECLARE_CLASS3(flixel,_hx_system,macros,FlxMacroUtil)
namespace flixel{
namespace _hx_system{
namespace macros{
class HXCPP_CLASS_ATTRIBUTES FlxMacroUtil_obj : public ::hx::Object
{
public:
typedef ::hx::Object super;
typedef FlxMacroUtil_obj OBJ_;
FlxMacroUtil_obj();
public:
enum { _hx_ClassId = 0x5efd4bf6 };
void __construct();
inline void *operator new(size_t inSize, bool inContainer=false,const char *inName="flixel.system.macros.FlxMacroUtil")
{ return ::hx::Object::operator new(inSize,inContainer,inName); }
inline void *operator new(size_t inSize, int extra)
{ return ::hx::Object::operator new(inSize+extra,false,"flixel.system.macros.FlxMacroUtil"); }
inline static ::hx::ObjectPtr< FlxMacroUtil_obj > __new() {
::hx::ObjectPtr< FlxMacroUtil_obj > __this = new FlxMacroUtil_obj();
__this->__construct();
return __this;
}
inline static ::hx::ObjectPtr< FlxMacroUtil_obj > __alloc(::hx::Ctx *_hx_ctx) {
FlxMacroUtil_obj *__this = (FlxMacroUtil_obj*)(::hx::Ctx::alloc(_hx_ctx, sizeof(FlxMacroUtil_obj), false, "flixel.system.macros.FlxMacroUtil"));
*(void **)__this = FlxMacroUtil_obj::_hx_vtable;
return __this;
}
static void * _hx_vtable;
static Dynamic __CreateEmpty();
static Dynamic __Create(::hx::DynamicArray inArgs);
//~FlxMacroUtil_obj();
HX_DO_RTTI_ALL;
static void __register();
bool _hx_isInstanceOf(int inClassId);
::String __ToString() const { return HX_("FlxMacroUtil",7c,33,4d,65); }
};
} // end namespace flixel
} // end namespace system
} // end namespace macros
#endif /* INCLUDED_flixel_system_macros_FlxMacroUtil */
| [
"72734817+khiodev@users.noreply.github.com"
] | 72734817+khiodev@users.noreply.github.com |
b1a7ae68e40a52238016b81fb09c7338a3a7d2c4 | 2aa898dbe14af58220cd90d58ee42a60373d4983 | /Vasya and Chocolate.cpp | e96f39be15058d30f66a247cf6b1da93c8e73549 | [] | no_license | saidul-islam98/Codeforces-Codes | f87a93d10a29aceea1cda4b4ff6b7470ddadc604 | 69db958e0b1918524336139dfeec39696a00d847 | refs/heads/main | 2023-07-12T03:27:31.196702 | 2021-08-09T11:09:30 | 2021-08-09T11:09:30 | 320,839,008 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 326 | cpp | #include<bits/stdc++.h>
using namespace std;
int main(){
int t;
cin>>t;
while(t--){
long long int s,a,b,c;
cin>>s>>a>>b>>c;
long long int og=s/c,total;
if(og<a)
total=og;
else
total=og+(b*(og/a));
cout<<total<<'\n';
}
return 0;
}
| [
"noreply@github.com"
] | noreply@github.com |
4b4f9dbace2b59ae1bb247168033b7652af84e21 | 4c3b5d91ede90c934d227ae955d59e6afa7c2c3e | /src/kdtree_sequential.cpp | 6bfc4f20fdb388b2c5bc300211908cd5166531cf | [] | no_license | karelispanagiotis/VPTree_KDTree_Comparison | e01c0fefc38235dfe7c2c08cf8a3d8e4d6a1b50c | 3e71fa15baeb02edc583052b36dcb12e8c9122b5 | refs/heads/master | 2023-03-03T12:59:08.334199 | 2021-02-15T11:22:13 | 2021-02-15T11:22:13 | 235,972,930 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,785 | cpp | #include "kdtree.h"
#include "utilities.h"
#include <bits/stdc++.h>
void buildNode_kdt(kdtree *node, float *X, int n, int d, float *auxArray, int *idArr, int start, int end, int depth)
{
float(*dataArr)[d] = (float(*)[d])X;
node->axis = depth%d;
if(start==end)
{
node->idx = idArr[start];
node->p = dataArr[ idArr[start] ];
node->mc = 0.0;
node->left = node->right = NULL;
return;
}
for(int i=start; i<=end; i++)
auxArray[i] = dataArr[idArr[i]][node->axis];
quickSelect((start+end)/2, auxArray, idArr, start, end);
node->idx = idArr[(start+end)/2];
node->p = dataArr[ idArr[(start+end)/2] ];
node->mc = auxArray[(start+end)/2];
node->right = (kdtree *)malloc(sizeof(kdtree));
// Recursion
buildNode_kdt(node->right, X, n, d, auxArray, idArr, (start+end)/2+1, end, depth+1);
if(start<(start+end)/2)
{
node->left = (kdtree *)malloc(sizeof(kdtree));
buildNode_kdt(node->left, X, n, d, auxArray, idArr, start, (start+end)/2 - 1, depth+1);
}
else node->left = NULL;
}
kdtree *buildkd(float *X, int n, int d)
{
kdtree *root = (kdtree *)malloc(sizeof(kdtree));
float *aux_array = (float *)malloc(n*sizeof(float));
int *idArr = (int *)malloc(n*sizeof(int));
for(int i=0; i<n; i++) idArr[i] = i;
buildNode_kdt(root, X, n, d, aux_array, idArr, 0, n-1, 0);
free(idArr);
free(aux_array);
return root;
}
float* getPoint(kdtree *node) {return node->p;}
float getMC(kdtree *node) {return node->mc;}
int getIdx(kdtree *node) {return node->idx;}
int getAxis(kdtree *node) {return node->axis;}
kdtree *getLeft(kdtree *node) {return node->left;}
kdtree *getRight(kdtree *node) {return node->right;} | [
"karelispanagiotis@gmail.com"
] | karelispanagiotis@gmail.com |
4cde8d2a842501982e5db4b16494ddbdadf332cc | cb80a8562d90eb969272a7ff2cf52c1fa7aeb084 | /inletTest7/0.192/nut | a2cdbd74a1b58e8cdf0cc456d13887839854297e | [] | no_license | mahoep/inletCFD | eb516145fad17408f018f51e32aa0604871eaa95 | 0df91e3fbfa60d5db9d52739e212ca6d3f0a28b2 | refs/heads/main | 2023-08-30T22:07:41.314690 | 2021-10-14T19:23:51 | 2021-10-14T19:23:51 | 314,657,843 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 113,882 | /*--------------------------------*- C++ -*----------------------------------*\
| ========= | |
| \\ / F ield | OpenFOAM: The Open Source CFD Toolbox |
| \\ / O peration | Version: v2006 |
| \\ / A nd | Website: www.openfoam.com |
| \\/ M anipulation | |
\*---------------------------------------------------------------------------*/
FoamFile
{
version 2.0;
format ascii;
class volScalarField;
location "0.192";
object nut;
}
// * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * //
dimensions [0 2 -1 0 0 0 0];
internalField nonuniform List<scalar>
10108
(
17.7716
80.138
30.1908
25.3923
20.607
8.58537
2.73636
1.21422
0.731128
0.541432
0.452371
0.402502
0.368595
0.341402
0.317724
0.296675
0.278072
0.261817
0.247722
0.235515
0.224899
0.215601
0.207399
0.200118
0.193627
0.187826
0.182638
0.178005
0.173879
0.170222
0.167001
0.164193
0.161778
0.159739
0.158067
0.156757
0.155802
0.155202
0.15497
0.155115
0.155646
0.156585
0.157963
0.159819
0.162208
0.165204
0.168905
0.173429
0.178901
0.185429
0.193058
0.201762
0.211548
0.222898
0.237776
0.262216
0.311927
0.427387
0.721584
1.51576
3.34075
4.97781
3.73936
4.59751
1.47987
0.661548
0.343252
0.189941
0.088887
0.0182792
0.00337542
0.000113186
9.78766e-05
0.00165762
0.00725737
0.00462539
0.00121394
8.77843e-05
7.89223e-05
0.00105972
0.00372288
0.00317931
0.000964679
7.4195e-05
6.91193e-05
0.000880281
0.0028375
0.00256559
0.00083072
6.57513e-05
6.29387e-05
0.000787371
0.00241403
0.00225238
0.000753116
6.05394e-05
5.89836e-05
0.000738723
0.00217474
0.00205649
0.000710263
5.73442e-05
5.63226e-05
0.000702525
0.0020135
0.00192589
0.000679609
5.50846e-05
5.43582e-05
0.000674742
0.00189488
0.00182403
0.000655609
5.33925e-05
5.28448e-05
0.000651994
0.0018003
0.00174019
0.000635725
5.20703e-05
5.16348e-05
0.000632603
0.0017215
0.00166899
0.000618548
5.0985e-05
5.06256e-05
0.000615774
0.00165392
0.00160714
0.000603341
5.00669e-05
4.97619e-05
0.000600857
0.00159468
0.00155256
0.000589668
4.92696e-05
4.90038e-05
0.000587401
0.0015418
0.00150367
0.000577178
4.8561e-05
4.83242e-05
0.000575112
0.00149424
0.00145935
0.00056567
4.79192e-05
4.77046e-05
0.000563788
0.00145098
0.00141879
0.000554984
4.73292e-05
4.71318e-05
0.00055327
0.00141131
0.0013814
0.000544996
4.678e-05
4.65963e-05
0.000543431
0.00137466
0.00134668
0.0005356
4.62635e-05
4.60908e-05
0.000534165
0.00134057
0.00131419
0.000526703
4.57735e-05
4.56097e-05
0.000525383
0.00130867
0.00128373
0.000518232
4.53048e-05
4.51481e-05
0.000517018
0.00127872
0.00125504
0.000510137
4.48532e-05
4.47023e-05
0.00050902
0.00125047
0.00122792
0.00050237
4.44155e-05
4.42693e-05
0.000501339
0.00122373
0.00120218
0.000494887
4.39889e-05
4.38465e-05
0.000493935
0.00119831
0.00117764
0.00048765
4.35709e-05
4.34314e-05
0.000486769
0.00117405
0.00115416
0.000480622
4.31593e-05
4.30219e-05
0.000479804
0.0011508
0.00113162
0.00047377
4.2752e-05
4.26161e-05
0.000473005
0.00112845
0.00110988
0.000467058
4.23471e-05
4.22121e-05
0.00046634
0.00110688
0.00108886
0.000460457
4.1943e-05
4.18083e-05
0.000459778
0.00108598
0.00106844
0.000453936
4.15377e-05
4.14028e-05
0.00045329
0.00106566
0.00104854
0.000447468
4.11297e-05
4.0994e-05
0.000446846
0.00104583
0.00102906
0.000441022
4.07172e-05
4.05802e-05
0.00044042
0.00102639
0.00100992
0.000434573
4.02984e-05
4.01595e-05
0.000433986
0.00100726
0.000991035
0.000428098
3.98716e-05
3.973e-05
0.000427527
0.000988373
0.000972357
0.000421582
3.94348e-05
3.929e-05
0.000421003
0.000969677
0.00095383
0.000415001
3.89861e-05
3.88376e-05
0.000414427
0.000951124
0.000935417
0.000408358
3.8524e-05
3.83715e-05
0.000407789
0.000932679
0.000917089
0.000401643
3.80472e-05
3.78903e-05
0.00040108
0.000914314
0.00089882
0.000394846
3.75543e-05
3.73928e-05
0.000394293
0.00089601
0.000880598
0.000387965
3.70439e-05
3.68777e-05
0.000387434
0.000877818
0.000862451
0.000381014
3.65149e-05
3.63439e-05
0.000380524
0.000859773
0.000844412
0.000374018
3.59665e-05
3.57908e-05
0.00037359
0.000841859
0.000826517
0.000367012
3.53984e-05
3.52181e-05
0.000366677
0.000824174
0.000808884
0.000360054
3.48108e-05
3.4626e-05
0.000359837
0.000806857
0.000791686
0.000353268
3.4205e-05
3.40167e-05
0.000353169
0.000790119
0.00077515
0.000346735
3.35836e-05
3.33931e-05
0.00034681
0.000774222
0.000759583
0.000340599
3.29504e-05
3.27605e-05
0.000340915
0.000759276
0.000745253
0.00033501
3.23119e-05
3.21258e-05
0.000335657
0.000745921
0.000732668
0.000330168
3.16768e-05
3.14986e-05
0.000331242
0.000734559
0.000722277
0.000326284
3.1056e-05
3.08905e-05
0.00032788
0.000725611
0.000714477
0.000323552
3.04618e-05
3.03139e-05
0.00032575
0.000719485
0.000709664
0.000322117
2.99075e-05
2.97813e-05
0.000324956
0.000716548
0.000708078
0.000322052
2.94052e-05
2.93036e-05
0.000325487
0.000716912
0.000709895
0.000323233
2.89645e-05
2.88872e-05
0.000327146
0.000720427
0.000714815
0.000325406
2.85905e-05
2.85297e-05
0.000329606
0.000726558
0.000722499
0.000328283
2.82844e-05
2.82284e-05
0.000332226
0.000734529
0.000731231
0.00032997
2.80567e-05
2.79826e-05
0.000333476
0.000742939
0.000740062
0.000330627
2.78413e-05
2.77524e-05
0.000333838
0.00075154
0.000748429
0.00033088
2.76198e-05
2.75271e-05
0.000333711
0.000759277
0.000755621
0.00033074
2.74015e-05
2.7316e-05
0.000333093
0.000765549
0.000761219
0.000330084
2.71984e-05
2.71308e-05
0.000331992
0.000770145
0.000765194
0.000328959
2.70211e-05
2.69642e-05
0.00033049
0.000773101
0.000767711
0.000327488
2.68631e-05
2.68139e-05
0.000328725
0.000774706
0.000768975
0.000325802
2.6722e-05
2.66794e-05
0.000326782
0.000775195
0.000769364
0.000324
2.65965e-05
2.65599e-05
0.000324793
0.000774828
0.000769108
0.000322185
2.64853e-05
2.64674e-05
0.000322876
0.000773923
0.000768255
0.000320432
2.63767e-05
2.63771e-05
0.00032103
0.000772556
0.000767036
0.000318698
2.62818e-05
2.63019e-05
0.000319257
0.000770955
0.000765573
0.00031739
2.61693e-05
2.63431e-05
0.000318673
0.000770599
0.000772681
0.000317935
2.628e-05
2.69235e-05
0.000324167
0.000785905
0.000796346
0.000327607
2.69491e-05
2.74281e-05
0.000324499
0.000790679
0.000823557
0.00033956
2.75172e-05
3.43506e-05
0.000339334
0.000832969
0.0023349
0.00454008
0.00712623
0.0100343
0.0128118
0.0159246
0.0188022
0.0214706
0.0237051
0.0254762
0.0266544
0.0271814
0.0269869
0.0260424
0.0244109
0.0221321
0.0194513
0.0164578
0.01364
0.0105238
0.00725242
0.00476287
0.00337174
0.00156292
0.000442765
0.000189662
2.23465e-05
1.53445e-05
0.000176993
0.000380484
0.000114531
4.49754e-05
1.02842e-05
1.2118e-05
0.000112807
0.000294423
0.000272698
0.0001017
1.28112e-05
1.29053e-05
0.000113999
0.000302415
0.000281585
0.000104406
1.2775e-05
1.27887e-05
0.000109269
0.000292657
0.000279679
0.000103121
1.26825e-05
1.27491e-05
0.000109078
0.000292185
0.00028284
0.000104071
1.26153e-05
1.27333e-05
0.000109289
0.000297401
0.000287928
0.000104937
1.27141e-05
1.28434e-05
0.000110952
0.000303265
0.000294605
0.000107056
1.28122e-05
1.29328e-05
0.000112818
0.000309875
0.000301012
0.000108847
1.29111e-05
1.3037e-05
0.000114786
0.000316755
0.000307725
0.000110738
1.30148e-05
1.3146e-05
0.000116866
0.000324026
0.000314806
0.000112729
1.31233e-05
1.32604e-05
0.000119049
0.000331592
0.000322164
0.000114823
1.32371e-05
1.33803e-05
0.000121358
0.000339611
0.000329887
0.000117035
1.33563e-05
1.35058e-05
0.000123776
0.000347965
0.000338047
0.000119346
1.34807e-05
1.36374e-05
0.000126326
0.000356746
0.000346558
0.000121785
1.36118e-05
1.37752e-05
0.000128989
0.000365953
0.000355544
0.000124324
1.37492e-05
1.39197e-05
0.000131779
0.000375641
0.000364933
0.000126982
1.38926e-05
1.40703e-05
0.000134662
0.000385792
0.000374814
0.000129711
1.40421e-05
1.42273e-05
0.000137624
0.000396414
0.000385138
0.000132492
1.41973e-05
1.4391e-05
0.000140593
0.000407417
0.000395654
0.000135238
1.43598e-05
1.45679e-05
0.000143509
0.000418875
0.00040663
0.000137855
1.45374e-05
1.4776e-05
0.00014632
0.000431019
0.000418579
0.000140332
1.47553e-05
1.50339e-05
0.000149323
0.000445531
0.00043397
0.000143246
1.50613e-05
1.54014e-05
0.000153846
0.00046541
0.000456251
0.000148708
1.54554e-05
1.57955e-05
0.000164044
0.000497236
0.000487214
0.000158654
1.57392e-05
1.60379e-05
0.000176182
0.000534797
0.00052189
0.000169137
1.60063e-05
1.65662e-05
0.000188068
0.000574739
0.000564194
0.000185846
1.67186e-05
1.7253e-05
0.000199462
0.000614793
0.000611852
0.000204846
1.76657e-05
1.84005e-05
0.000220853
0.00066342
0.000658538
0.00021829
1.89945e-05
2.05026e-05
0.000242
0.000722593
0.000716441
0.000235436
2.21483e-05
2.52874e-05
0.000266191
0.000783411
0.000798165
0.000271232
2.85214e-05
3.52715e-05
0.000332941
0.000891915
0.00089179
0.000399415
2.76747e-05
1.54697e-05
8.81259e-05
0.000290029
0.000810808
0.000273973
2.22322e-05
2.6191e-05
0.000267216
0.000820933
0.00102515
0.000350422
3.21116e-05
3.61912e-05
0.000367391
0.00106629
0.00121951
0.000430958
4.46221e-05
5.43212e-05
0.000495837
0.00134271
0.00133759
0.000578365
4.55216e-05
2.26593e-05
0.000139711
0.000471096
0.00119244
0.000433387
3.89551e-05
4.89921e-05
0.000424897
0.00123995
0.00152451
0.000543534
7.19923e-05
6.42166e-05
0.000651193
0.00161263
0.000650596
0.000198055
3.24975e-05
6.76741e-05
0.000625935
0.00169986
0.0021535
0.000787346
9.42774e-05
9.51617e-05
0.000974863
0.00247998
0.00188737
0.000772492
7.38508e-05
9.14382e-05
0.000926214
0.00130316
0.00109192
0.000697983
7.32209e-05
5.92351e-05
0.000721579
0.00157654
0.00291375
0.00141644
9.04624e-05
6.18261e-05
0.000271997
0.00076048
0.00134937
0.000575098
6.39827e-05
6.70426e-05
0.000454511
0.00114571
0.000347796
0.000128217
3.45058e-05
4.07876e-05
0.000383682
0.00078275
0.000731546
0.000328134
4.63019e-05
2.62271e-05
0.00010508
0.000262963
0.000634268
0.000322848
3.23916e-05
3.73528e-05
0.000272155
0.000590907
0.000216794
9.25098e-05
2.26705e-05
2.77583e-05
0.000282068
0.000543598
0.000507993
0.000239654
3.27306e-05
2.02871e-05
8.29505e-05
0.000188336
0.000478918
0.000250377
2.4708e-05
2.9204e-05
0.000211292
0.00044421
0.000165819
7.48433e-05
1.86696e-05
2.24662e-05
0.000224932
0.000429114
0.000397055
0.000191524
2.69586e-05
1.76846e-05
6.9423e-05
0.000150023
0.000388816
0.000203863
2.07559e-05
2.50979e-05
0.000173162
0.000353867
0.000135933
6.48724e-05
1.68437e-05
1.94139e-05
0.000185359
0.0003523
0.000319492
0.000159699
2.36111e-05
1.61083e-05
6.1072e-05
0.000124135
0.000318305
0.000168677
1.82212e-05
2.2309e-05
0.00014568
0.000287126
0.000113839
5.71081e-05
1.55175e-05
1.71084e-05
0.000153529
0.000286684
0.000260167
0.000132661
2.09168e-05
1.49724e-05
5.2666e-05
0.000104086
0.000255003
0.000139721
1.57083e-05
1.92616e-05
0.000118116
0.000228839
9.0887e-05
4.53094e-05
1.4219e-05
1.38834e-05
0.000140497
0.000200028
0.000106116
5.90759e-05
1.57714e-05
1.65275e-05
0.000138136
0.000258423
0.000223184
0.000115955
1.97356e-05
1.43241e-05
4.83099e-05
9.27071e-05
0.000210346
0.000118909
1.43943e-05
1.7891e-05
0.00010369
0.000189482
8.10645e-05
4.16781e-05
1.34966e-05
1.27717e-05
0.000118138
0.00016686
9.2124e-05
5.33386e-05
1.51391e-05
1.50845e-05
0.00012103
0.00021815
0.000187572
0.000102077
1.81151e-05
1.33671e-05
4.3437e-05
8.28724e-05
0.000164446
0.000111519
1.28159e-05
1.49234e-05
5.43773e-05
9.24752e-05
0.000212742
0.000118624
1.45937e-05
1.77084e-05
9.96097e-05
0.000181069
8.0545e-05
4.24196e-05
1.32177e-05
1.24735e-05
0.000109243
0.000155924
9.01014e-05
5.31495e-05
1.46688e-05
1.41699e-05
0.000110833
0.000192788
0.000167545
9.54997e-05
1.74739e-05
1.31758e-05
4.20779e-05
7.62358e-05
0.000143976
0.000106389
1.20955e-05
1.43886e-05
5.2121e-05
8.42525e-05
0.000178001
0.000103203
1.37406e-05
1.70477e-05
8.85525e-05
0.000154265
7.1771e-05
4.13902e-05
1.28804e-05
1.17454e-05
9.87965e-05
0.000130279
7.89551e-05
4.99545e-05
1.41213e-05
1.31878e-05
9.36092e-05
0.000154381
0.000134831
8.05237e-05
1.65209e-05
1.24066e-05
4.15057e-05
6.65585e-05
0.000115716
9.01189e-05
1.12196e-05
1.34401e-05
4.84268e-05
7.16824e-05
0.000129257
9.56716e-05
1.19005e-05
1.42506e-05
5.07936e-05
7.88118e-05
0.000148179
8.79214e-05
1.32217e-05
1.64467e-05
7.52739e-05
0.000126284
6.39462e-05
4.14183e-05
1.25788e-05
1.09392e-05
8.59084e-05
0.000106481
6.83539e-05
4.88931e-05
1.34492e-05
1.17851e-05
8.86741e-05
0.000118687
7.45683e-05
5.03085e-05
1.41608e-05
1.28646e-05
8.39556e-05
0.000135258
0.000117141
7.2731e-05
1.61605e-05
1.25655e-05
4.19334e-05
6.19156e-05
9.74221e-05
8.09705e-05
1.07973e-05
1.3371e-05
4.90377e-05
6.49395e-05
0.000105272
8.45685e-05
1.13728e-05
1.36453e-05
5.10354e-05
6.9375e-05
0.000115059
8.52607e-05
1.16943e-05
1.41085e-05
5.11592e-05
7.32393e-05
0.000130106
8.10328e-05
1.2689e-05
1.61326e-05
6.99712e-05
0.000111284
6.13178e-05
4.30285e-05
1.25863e-05
1.05976e-05
7.68633e-05
8.99021e-05
6.22604e-05
4.96496e-05
1.33467e-05
1.12026e-05
7.87092e-05
9.53351e-05
6.54513e-05
5.11557e-05
1.37146e-05
1.16967e-05
7.83192e-05
0.000103667
6.88992e-05
5.12229e-05
1.42579e-05
1.26214e-05
7.77641e-05
0.000118331
0.000103398
6.89293e-05
1.60912e-05
1.25909e-05
4.5193e-05
5.93505e-05
8.62644e-05
7.51948e-05
1.05807e-05
1.35688e-05
5.0902e-05
6.10868e-05
9.22202e-05
7.67496e-05
1.13081e-05
1.38069e-05
5.22083e-05
6.4558e-05
9.77349e-05
7.68894e-05
1.13967e-05
1.39785e-05
5.34383e-05
6.76902e-05
0.000103208
7.87422e-05
1.17153e-05
1.45382e-05
5.47058e-05
7.06743e-05
0.000118169
7.88654e-05
1.28319e-05
1.63871e-05
7.02743e-05
0.000103007
6.04633e-05
4.84035e-05
1.27993e-05
1.07492e-05
7.66653e-05
8.6902e-05
6.26362e-05
5.30005e-05
1.38425e-05
1.14468e-05
7.69556e-05
9.09617e-05
6.48615e-05
5.37677e-05
1.41955e-05
1.17529e-05
7.58329e-05
9.42493e-05
6.71104e-05
5.52895e-05
1.44996e-05
1.20476e-05
7.722e-05
9.76894e-05
6.91721e-05
5.76724e-05
1.50819e-05
1.32653e-05
7.75267e-05
0.000112197
9.94868e-05
7.05544e-05
1.69874e-05
1.32981e-05
5.2141e-05
6.08377e-05
8.72233e-05
7.71004e-05
1.13369e-05
1.44553e-05
5.55378e-05
6.38124e-05
9.21684e-05
7.75593e-05
1.19454e-05
1.48798e-05
5.66938e-05
6.65983e-05
9.53694e-05
7.77456e-05
1.21754e-05
1.51777e-05
5.86399e-05
6.90619e-05
9.90588e-05
7.90256e-05
1.26764e-05
1.5849e-05
6.21729e-05
7.13785e-05
0.00011325
7.94311e-05
1.37834e-05
1.76946e-05
7.26846e-05
0.000100306
6.23861e-05
5.479e-05
1.4054e-05
1.16111e-05
7.92982e-05
8.75252e-05
6.50597e-05
5.78473e-05
1.51084e-05
1.22905e-05
7.79735e-05
9.14706e-05
6.74311e-05
5.85075e-05
1.55163e-05
1.26056e-05
7.74042e-05
9.34013e-05
6.9022e-05
6.0251e-05
1.57327e-05
1.2916e-05
7.82853e-05
9.63426e-05
7.0511e-05
6.38551e-05
1.63997e-05
1.42088e-05
7.88722e-05
0.00011043
9.90554e-05
7.33972e-05
1.8381e-05
1.44273e-05
5.79686e-05
6.34468e-05
8.86464e-05
8.08302e-05
1.21446e-05
1.57008e-05
6.10686e-05
6.67048e-05
9.39046e-05
7.97009e-05
1.28849e-05
1.63253e-05
6.23346e-05
7.00623e-05
9.69693e-05
8.02187e-05
1.32886e-05
1.66406e-05
6.46157e-05
7.24631e-05
0.000100716
8.24222e-05
1.36331e-05
1.72352e-05
6.84965e-05
7.44941e-05
0.000114763
8.30627e-05
1.48102e-05
1.91521e-05
7.74495e-05
0.000103126
6.67402e-05
6.20493e-05
1.51529e-05
1.28372e-05
8.45582e-05
9.28196e-05
7.07144e-05
6.53571e-05
1.66832e-05
1.36868e-05
8.34911e-05
9.72726e-05
7.34579e-05
6.61965e-05
1.71902e-05
1.37821e-05
8.37499e-05
9.94637e-05
7.5399e-05
6.82586e-05
1.74053e-05
1.42808e-05
8.45889e-05
0.000102918
7.73033e-05
7.27077e-05
1.82755e-05
1.57554e-05
8.62488e-05
0.000117514
0.000106669
8.14856e-05
2.04157e-05
1.63311e-05
6.74985e-05
7.11645e-05
9.81648e-05
8.95867e-05
1.36663e-05
1.78107e-05
7.12159e-05
7.56958e-05
0.000104545
8.94857e-05
1.4533e-05
1.85611e-05
7.31029e-05
7.97151e-05
0.000108869
8.99703e-05
1.52141e-05
1.92825e-05
7.69924e-05
8.17354e-05
0.000122523
9.03491e-05
1.64643e-05
2.13572e-05
8.53633e-05
0.00011129
7.49292e-05
7.06739e-05
1.70491e-05
1.40863e-05
9.37242e-05
0.000101157
7.87641e-05
7.4398e-05
1.87003e-05
1.52294e-05
9.18956e-05
0.000107371
8.26599e-05
7.64883e-05
1.94716e-05
1.58307e-05
9.26481e-05
0.000111968
8.52786e-05
8.15246e-05
2.02985e-05
1.74468e-05
9.50511e-05
0.000127552
0.00011645
9.04547e-05
2.24665e-05
1.80631e-05
7.67259e-05
8.00607e-05
0.000108376
9.90068e-05
1.51651e-05
2.00606e-05
8.17584e-05
8.48923e-05
0.000117671
9.96284e-05
1.65297e-05
2.1198e-05
8.61616e-05
8.98037e-05
0.000133448
9.95864e-05
1.81076e-05
2.33957e-05
9.48048e-05
0.000121945
8.41895e-05
8.00794e-05
1.86517e-05
1.56192e-05
0.000103122
0.000112386
8.8902e-05
8.46982e-05
2.08274e-05
1.7209e-05
0.00010218
0.000121113
9.30417e-05
8.95646e-05
2.21434e-05
1.887e-05
0.000103231
0.000137718
0.000126617
9.89726e-05
2.46502e-05
1.9713e-05
8.52692e-05
8.90259e-05
0.000117867
0.000107621
1.63832e-05
2.22123e-05
9.1678e-05
9.2736e-05
0.000136886
0.000104185
1.91354e-05
2.54052e-05
0.000100266
0.000126442
9.0091e-05
8.62979e-05
2.02736e-05
1.70847e-05
0.00010729
0.000117143
9.37461e-05
9.30507e-05
2.25472e-05
1.92269e-05
0.000104483
0.00013568
0.000126126
0.000101329
2.58469e-05
2.1389e-05
8.9296e-05
9.14692e-05
0.000118277
0.000108764
1.77342e-05
2.38049e-05
9.613e-05
9.58811e-05
0.000136854
0.00010711
1.9936e-05
2.61614e-05
0.000103834
0.000127186
9.30174e-05
9.13154e-05
2.13845e-05
1.81423e-05
0.000109491
0.000119192
9.74619e-05
9.87935e-05
2.45464e-05
2.09113e-05
0.000109779
0.000139081
0.000130244
0.000107532
2.78183e-05
2.25169e-05
9.73952e-05
9.7306e-05
0.00012497
0.000116338
1.84374e-05
2.54744e-05
0.00010543
0.000102534
0.000147322
0.000115217
2.19239e-05
2.94018e-05
0.000113168
0.000138611
0.000103073
0.000105412
2.44036e-05
2.07779e-05
0.000121301
0.000142169
0.000135796
0.000118847
2.84923e-05
2.51472e-05
0.000107214
0.00010392
0.000142044
0.000122684
2.20717e-05
3.06754e-05
0.000119473
0.000136289
0.000105512
0.000109628
2.56744e-05
2.20519e-05
0.000122356
0.00014321
0.000137206
0.000120114
3.05873e-05
2.69425e-05
0.000112198
0.000106882
0.000144702
0.000124865
2.35101e-05
3.209e-05
0.000121807
0.000139515
0.000109546
0.000114851
2.82312e-05
2.38946e-05
0.000127133
0.000147941
0.00014237
0.00012508
3.40099e-05
2.97249e-05
0.000122783
0.000113028
0.000157309
0.00013581
2.49722e-05
3.56659e-05
0.000141896
0.000150536
0.000141505
0.000137104
3.43184e-05
3.14222e-05
0.000128638
0.000118697
0.000162277
0.000139368
2.73144e-05
3.93213e-05
0.000138876
0.000158444
0.000146465
0.000147809
4.10307e-05
3.65662e-05
0.000139359
0.000141928
0.000121333
0.000130209
3.49761e-05
3.09356e-05
0.000138071
0.00015988
0.000156716
0.000135733
4.61832e-05
4.68906e-05
0.000145433
0.000147338
0.000146476
0.000140318
4.98746e-05
5.34529e-05
0.000142979
0.000141314
0.000140174
0.000138694
5.86734e-05
6.28151e-05
0.000143332
0.000139611
0.000139602
0.000144206
6.55721e-05
6.53237e-05
0.00015236
0.000139468
0.000140115
0.000157123
6.29856e-05
6.04768e-05
0.000164701
0.000141613
0.000144031
0.000172475
5.77206e-05
5.51437e-05
0.000180589
0.000148067
0.000151079
0.000188515
5.25519e-05
5.0343e-05
0.000196635
0.000157804
0.000161196
0.000195937
4.82986e-05
4.65918e-05
0.00020164
0.000170143
0.000174733
0.000203707
4.50547e-05
4.37437e-05
0.000206672
0.000188154
0.000194037
0.000208926
4.25529e-05
4.15348e-05
0.00021169
0.000210027
0.000216591
0.000214115
4.06186e-05
3.98407e-05
0.000217427
0.000233017
0.000240267
0.000220335
3.91594e-05
3.85752e-05
0.000223933
0.000256899
0.000264528
0.000227309
3.81033e-05
3.76663e-05
0.000231304
0.000281262
0.000284054
0.000235046
3.73855e-05
3.70296e-05
0.000239218
0.000301368
0.000302673
0.000243493
3.69487e-05
3.66517e-05
0.000247888
0.000319764
0.000321131
0.000252261
3.6725e-05
3.64993e-05
0.000256588
0.000337435
0.000338633
0.000260927
3.6622e-05
3.64901e-05
0.000265071
0.000354341
0.000355268
0.000269114
3.66308e-05
3.65704e-05
0.000273043
0.000370019
0.00037074
0.000276824
3.67054e-05
3.66792e-05
0.000280596
0.000384809
0.000385297
0.000283934
3.68068e-05
3.68011e-05
0.000287395
0.000398335
0.000398736
0.000290401
3.69167e-05
3.69207e-05
0.00029366
0.000411077
0.000411339
0.000296178
3.7026e-05
3.70262e-05
0.000299105
0.000422821
0.000423085
0.000301339
3.71322e-05
3.71244e-05
0.000304023
0.000434013
0.000434153
0.000305874
3.7232e-05
3.72153e-05
0.000308192
0.000444418
0.000444533
0.000309797
3.73175e-05
3.72911e-05
0.00031193
0.000454451
0.000454451
0.000313203
3.73892e-05
3.73574e-05
0.000315036
0.000463774
0.000463801
0.000316129
3.74509e-05
3.7412e-05
0.000317845
0.000472891
0.000472746
0.000318663
3.75021e-05
3.74613e-05
0.000320035
0.000481505
0.000481191
0.000320847
3.75169e-05
3.75312e-05
0.00032211
0.000489708
0.000489514
0.000322617
3.75851e-05
3.75389e-05
0.000323858
0.000497767
0.000497559
0.000324264
3.76214e-05
3.75718e-05
0.000325465
0.000505633
0.000505167
0.000325698
3.76525e-05
3.76034e-05
0.000326735
0.000513199
0.000512557
0.00032691
3.76819e-05
3.76313e-05
0.000327923
0.000520445
0.000519491
0.000327962
3.77081e-05
3.76587e-05
0.000328825
0.000527239
0.000526082
0.000328827
3.77329e-05
3.76825e-05
0.000329657
0.000533573
0.000532003
0.00032953
3.77542e-05
3.77054e-05
0.000330218
0.000539554
0.000537807
0.000330081
3.77747e-05
3.77265e-05
0.000330722
0.000543273
0.000542845
0.000330456
3.77912e-05
3.77441e-05
0.000330976
0.000546136
0.000547602
0.000330708
3.78055e-05
3.77602e-05
0.000331175
0.00054854
0.000551691
0.000330767
3.78164e-05
3.77723e-05
0.00033112
0.000550614
0.000555551
0.000330718
3.78238e-05
3.77809e-05
0.000331042
0.00055233
0.000557128
0.000330518
3.78279e-05
3.77869e-05
0.000330746
0.000553691
0.000558368
0.000330232
3.78299e-05
3.77897e-05
0.000330433
0.000554688
0.00055916
0.0003298
3.7828e-05
3.77898e-05
0.000329911
0.000555461
0.000559886
0.000329298
3.78241e-05
3.7787e-05
0.000329411
0.000555973
0.00056025
0.000328691
3.7817e-05
3.77814e-05
0.000328735
0.000556351
0.000560625
0.000328052
3.78082e-05
3.7774e-05
0.000328121
0.000556532
0.000560688
0.000327346
3.77976e-05
3.77652e-05
0.000327363
0.00055663
0.000560874
0.000326638
3.77863e-05
3.77552e-05
0.0003267
0.0005566
0.000560664
0.000325893
3.77742e-05
3.77449e-05
0.000325913
0.000556469
0.000560783
0.000325166
3.7762e-05
3.77339e-05
0.000325248
0.000556314
0.000560418
0.000324423
3.77495e-05
3.77233e-05
0.000324461
0.00055603
0.000560382
0.000323704
3.77375e-05
3.77126e-05
0.000323822
0.000555734
0.000559876
0.000322991
3.77257e-05
3.77023e-05
0.00032306
0.000555329
0.000559726
0.000322318
3.77144e-05
3.76921e-05
0.000322451
0.000554933
0.000559124
0.000321638
3.77034e-05
3.76826e-05
0.000321717
0.000554451
0.000558901
0.000321004
3.76931e-05
3.76732e-05
0.000321142
0.000553997
0.000558247
0.000320362
3.76829e-05
3.76643e-05
0.000320447
0.00055347
0.000557975
0.000319769
3.76735e-05
3.76557e-05
0.000319912
0.000552976
0.000557281
0.000319167
3.76643e-05
3.76477e-05
0.000319257
0.00055242
0.000556983
0.000318607
3.76555e-05
3.76396e-05
0.000318762
0.000551907
0.000556267
0.000318045
3.76468e-05
3.76321e-05
0.000318146
0.00055132
0.000555962
0.000317523
3.76386e-05
3.76244e-05
0.00031769
0.000550808
0.000555228
0.000317
3.76305e-05
3.76173e-05
0.000317113
0.00055022
0.00055492
0.000316518
3.76228e-05
3.76101e-05
0.000316695
0.000549712
0.000554201
0.000316033
3.76153e-05
3.76035e-05
0.000316158
0.000549137
0.000553904
0.00031559
3.76082e-05
3.75968e-05
0.000315781
0.000548645
0.0005532
0.000315145
3.76013e-05
3.75907e-05
0.000315284
0.000548094
0.000552916
0.000314741
3.75949e-05
3.75846e-05
0.000314946
0.00054762
0.000552234
0.000314334
3.75887e-05
3.75792e-05
0.000314488
0.000547112
0.000551937
0.000313965
3.7583e-05
3.75739e-05
0.000314185
0.000546662
0.000551276
0.000313593
3.75776e-05
3.75691e-05
0.000313761
0.00054618
0.000551004
0.000313258
3.75726e-05
3.75644e-05
0.000313489
0.000545744
0.000550365
0.000312917
3.75678e-05
3.75602e-05
0.000313096
0.000545278
0.000550114
0.00031261
3.75634e-05
3.75561e-05
0.000312854
0.000544859
0.000549495
0.000312298
3.75592e-05
3.75524e-05
0.000312488
0.000544418
0.000549269
0.00031202
3.75553e-05
3.75487e-05
0.000312273
0.000544026
0.000548678
0.000311733
3.75516e-05
3.75455e-05
0.000311933
0.000543612
0.000548477
0.00031148
3.75483e-05
3.75423e-05
0.000311743
0.000543244
0.000547908
0.000311218
3.7545e-05
3.75395e-05
0.000311428
0.000542852
0.000547727
0.000310988
3.75422e-05
3.75366e-05
0.000311261
0.000542503
0.000547176
0.000310749
3.75392e-05
3.7534e-05
0.000310968
0.00054213
0.000547016
0.000310541
3.75365e-05
3.75313e-05
0.000310822
0.000541806
0.00054649
0.000310323
3.75337e-05
3.75289e-05
0.00031055
0.000541457
0.000546352
0.000310134
3.75314e-05
3.75265e-05
0.000310424
0.000541153
0.000545846
0.000309937
3.75288e-05
3.75243e-05
0.000310172
0.000540827
0.000545731
0.000309768
3.75267e-05
3.75222e-05
0.000310066
0.000540547
0.00054525
0.00030959
3.75245e-05
3.75204e-05
0.000309833
0.000540245
0.00054516
0.00030944
3.75229e-05
3.75188e-05
0.000309744
0.000539992
0.000544706
0.000309279
3.75212e-05
3.75177e-05
0.000309529
0.000539716
0.000544639
0.000309145
3.75204e-05
3.75168e-05
0.000309457
0.000539483
0.000544204
0.000309001
3.752e-05
3.75167e-05
0.000309257
0.000539226
0.000544153
0.000308882
3.752e-05
3.75168e-05
0.000309198
0.000539009
0.000543731
0.000308747
3.75206e-05
3.75177e-05
0.000309007
0.00053876
0.000543683
0.000308635
3.75216e-05
3.75189e-05
0.000308955
0.00053854
0.000543258
0.000308505
3.75228e-05
3.75205e-05
0.000308767
0.000538288
0.000543206
0.000308396
3.75242e-05
3.7522e-05
0.000308708
0.000538015
0.000542833
0.000308281
3.75246e-05
3.75225e-05
0.000308603
0.000537916
0.000542551
0.000308435
3.75511e-05
3.75676e-05
0.000308682
0.000537743
0.000542597
0.000308223
3.75706e-05
3.75868e-05
0.000308625
0.000537595
0.000542882
0.00030857
3.76498e-05
3.77244e-05
0.000309228
0.000538157
0.000545474
0.000309624
3.78895e-05
3.78918e-05
0.000310799
0.000540798
0.000549694
0.000311771
3.82915e-05
3.83538e-05
0.000312938
0.000545157
0.000564186
0.000318867
3.96334e-05
4.12086e-05
0.000328939
0.000596053
0.000629064
0.000344734
4.32488e-05
0.00105399
0.00170302
0.0025394
0.00285619
0.00462867
0.00774043
0.010485
0.0116528
0.0162436
0.0250063
0.0326315
0.0425167
0.056156
0.0748651
0.100683
0.134944
0.179043
0.233537
0.298644
0.373978
0.458669
0.551297
0.650089
0.75266
0.856669
0.95805
1.05384
1.13736
1.20579
1.25495
1.28562
1.30006
1.31256
1.33522
1.36718
1.40725
1.45366
1.50602
1.5632
1.626
1.69479
1.77088
1.85563
1.95093
2.05918
2.18367
2.32903
2.50211
2.12507
1.37859
0.975674
0.785032
0.685387
0.619637
0.563717
0.510912
0.46118
0.415314
0.373359
0.334907
0.299609
0.267341
0.238112
0.2119
0.188616
0.168017
0.149855
0.13385
0.119751
0.107316
0.0963549
0.0867011
0.078195
0.0707294
0.0641748
0.0584309
0.05342
0.0490443
0.0452402
0.0419432
0.0390858
0.0366273
0.034515
0.0327107
0.0311786
0.0298862
0.0288074
0.0279169
0.0271957
0.0266245
0.0261904
0.0258779
0.0256792
0.025582
0.0255793
0.0256644
0.025832
0.0260774
0.0263969
0.0267877
0.0272474
0.0277726
0.0283663
0.0290241
0.029746
0.0305328
0.031384
0.0323013
0.0332849
0.0343375
0.0354586
0.036654
0.0379184
0.0392624
0.0406848
0.0421891
0.0437783
0.0454579
0.0472336
0.0491083
0.0510889
0.0531763
0.0553827
0.0577106
0.0601683
0.0627642
0.0655074
0.0684069
0.0714736
0.074719
0.0781551
0.0817962
0.0856581
0.089758
0.0941149
0.0987503
0.103688
0.108956
0.114585
0.12061
0.127071
0.134015
0.141497
0.149579
0.158339
0.167864
0.178259
0.189655
0.202212
0.216125
0.231639
0.249069
0.26882
0.291426
0.317609
0.348368
0.385151
0.430153
0.486917
0.561618
0.665996
0.822981
1.07612
1.52061
2.43721
4.88239
11.2548
31.7048
20.9134
39.6507
14.7325
7.87114
2.81725
1.38152
0.854083
0.63889
0.543461
0.494681
0.461874
0.432996
0.404817
0.377604
0.352365
0.329771
0.309966
0.292749
0.277799
0.264771
0.253361
0.243326
0.234474
0.226654
0.219746
0.21365
0.208285
0.203581
0.199483
0.195947
0.192936
0.190421
0.188386
0.186815
0.185698
0.185025
0.184812
0.185108
0.185922
0.187255
0.189152
0.191668
0.19487
0.198848
0.203715
0.2096
0.216618
0.224788
0.23392
0.243497
0.25277
0.261439
0.2713
0.289787
0.335679
0.450876
0.731574
1.35157
2.27861
1.81509
1.02561
0.379887
0.0912235
0.0390325
0.0130839
0.0111731
0.0102735
0.00920416
0.00871942
0.0080257
0.00772505
0.00722331
0.00701757
0.00663326
0.00647975
0.00617454
0.00605565
0.00580445
0.00570937
0.00549654
0.00541881
0.00523441
0.00516966
0.00500717
0.00495196
0.00480716
0.0047591
0.00462874
0.00458637
0.00446776
0.00443001
0.00432108
0.00428715
0.00418638
0.00415565
0.00406188
0.00403389
0.00394618
0.00392051
0.00383805
0.00381436
0.00373644
0.00371442
0.00364044
0.00361985
0.00354933
0.00352992
0.00346248
0.00344405
0.0033793
0.00336172
0.00329933
0.00328246
0.0032221
0.0032058
0.00314718
0.00313134
0.00307417
0.00305868
0.00300271
0.00298748
0.00293251
0.00291744
0.00286334
0.00284835
0.00279499
0.00278
0.00272724
0.0027122
0.00265994
0.00264481
0.00259298
0.00257774
0.0025263
0.00251095
0.00245991
0.00244449
0.0023939
0.00237847
0.00232846
0.00231312
0.00226386
0.00224875
0.0022007
0.00218594
0.00213956
0.00212532
0.00208118
0.00206772
0.00202648
0.0020141
0.0019755
0.00196665
0.00193017
0.00192504
0.00189148
0.00189116
0.00186104
0.00186615
0.00183995
0.00185106
0.00182913
0.00184613
0.00182843
0.00185076
0.00183697
0.00186398
0.00185325
0.00188363
0.00187511
0.00190658
0.00189968
0.00193128
0.00192498
0.00195617
0.00194989
0.00198028
0.0019734
0.00200271
0.0019955
0.00202305
0.00201589
0.00204153
0.0020341
0.00205814
0.00205044
0.00207287
0.00206482
0.00208606
0.00207754
0.00209929
0.00208539
0.00211295
0.0021093
0.00215364
0.00218331
0.002208
0.00222913
0.00441746
0.00703913
0.00695641
0.00434963
0.00430196
0.00684454
0.00657026
0.00420063
0.00404766
0.00610766
0.0108745
0.0101197
0.0100641
0.0100446
0.0127563
0.0126325
0.0124273
0.0162052
0.0160876
0.0159921
0.0188591
0.0188997
0.018858
0.01767
0.0173808
0.0106711
0.00659566
0.00412234
0.00400498
0.00603307
0.00651245
0.00407625
0.00397313
0.00598572
0.0105849
0.0105119
0.00645713
0.00404204
0.00393748
0.00593538
0.00640117
0.00400531
0.00389985
0.00588165
0.0104561
0.0103814
0.00634279
0.00396686
0.00386011
0.00582534
0.00628294
0.00392647
0.00381819
0.00576775
0.0103118
0.0102386
0.00622242
0.00388459
0.00377506
0.00571079
0.00616332
0.0038419
0.00373154
0.00565582
0.010174
0.0101144
0.00610759
0.00379943
0.00368896
0.00560628
0.00605914
0.00375849
0.00364877
0.00556499
0.0100718
0.0100513
0.00602163
0.00372088
0.00361296
0.00553624
0.00600022
0.00368875
0.00358407
0.00551959
0.0100617
0.0101097
0.00599985
0.00366529
0.00356554
0.00552262
0.0060231
0.00365334
0.00356049
0.00554913
0.0102036
0.0103481
0.00607375
0.00365587
0.00357172
0.00560245
0.0061545
0.00367523
0.00360094
0.00568457
0.0105483
0.0108043
0.00626648
0.00371271
0.0036486
0.00579613
0.00640927
0.00376859
0.00371791
0.00593732
0.0110973
0.011439
0.00658063
0.00384944
0.00380601
0.00610318
0.00677396
0.00394768
0.00390921
0.00629009
0.0118251
0.0122579
0.00698746
0.00405896
0.0040219
0.00649609
0.00722098
0.00418192
0.00414549
0.00671704
0.0127398
0.0132492
0.00746901
0.00431416
0.00427753
0.00694967
0.00772834
0.00445372
0.00441632
0.00719103
0.0137817
0.0143328
0.00799599
0.0045989
0.00456018
0.00743881
0.00826989
0.00474812
0.00470751
0.00769137
0.0149004
0.0154821
0.00854841
0.00490004
0.00485722
0.00794744
0.00883046
0.00505378
0.00500853
0.00820618
0.0160767
0.0166835
0.00911531
0.00520875
0.00516093
0.00846712
0.00940262
0.00536463
0.00531415
0.0087301
0.0173026
0.0179345
0.00969232
0.00552126
0.00546809
0.00899523
0.00998466
0.00567867
0.00562282
0.00926287
0.0185801
0.0192423
0.0102801
0.00583702
0.00577853
0.00953349
0.0105793
0.00599657
0.00593551
0.00980748
0.0199247
0.0206251
0.0108828
0.0061577
0.00609415
0.0100853
0.0111915
0.00632094
0.006255
0.0103682
0.0213454
0.0220889
0.0115063
0.00648685
0.00641866
0.0106576
0.0118288
0.00665609
0.00658579
0.0109549
0.0228603
0.0236643
0.0121606
0.00682946
0.00675722
0.0112616
0.0125033
0.00700792
0.00693395
0.0115795
0.0245042
0.0253845
0.0128591
0.00719261
0.00711715
0.011911
0.0132306
0.00738488
0.0073082
0.0122592
0.0263095
0.0272834
0.0136216
0.00758622
0.00750861
0.0126286
0.0140373
0.00779852
0.00772058
0.0130265
0.0283092
0.0294046
0.014487
0.00802305
0.00794481
0.0134529
0.0149693
0.00826123
0.00818294
0.01391
0.030589
0.0318755
0.0154877
0.00851514
0.00843721
0.0144026
0.0160483
0.00878744
0.00871037
0.0149368
0.0332835
0.0348371
0.0166587
0.0090814
0.00900583
0.0155206
0.0173281
0.00940097
0.00932771
0.0161638
0.0365659
0.0385074
0.0180686
0.00975093
0.00968093
0.016879
0.0188961
0.0101368
0.010071
0.0176796
0.0407099
0.0432401
0.0198268
0.0105653
0.0105047
0.0185823
0.0208807
0.0110451
0.0109919
0.019609
0.0461825
0.0496334
0.0220847
0.0115884
0.0115455
0.0207884
0.0234741
0.0122123
0.0121846
0.0221701
0.0536747
0.0586083
0.025119
0.0129402
0.0129335
0.0237998
0.0271024
0.0138059
0.0138298
0.0257872
0.0647459
0.0725982
0.0295462
0.0148567
0.0149252
0.0282709
0.0326516
0.0161708
0.0163281
0.0314826
0.0830027
0.0974285
0.0367306
0.0178767
0.0181809
0.0357964
0.0423752
0.0202063
0.0207581
0.0419656
0.118778
0.153828
0.0506986
0.0235856
0.0247103
0.0516754
0.0643081
0.0289088
0.0316418
0.0696477
0.220768
0.559213
0.368597
0.273882
0.218695
0.182608
0.157177
0.138287
0.123697
0.112087
0.102631
0.0947219
0.0879991
0.0822128
0.0771779
0.0727525
0.0688273
0.0653167
0.0621527
0.0592678
0.0566176
0.0541706
0.0518996
0.0497779
0.0477863
0.0459086
0.0441324
0.0424445
0.040841
0.0392928
0.0377791
0.0363075
0.0348801
0.0334993
0.032164
0.030873
0.0296244
0.0284173
0.0272513
0.0261273
0.0250466
0.0240134
0.0230312
0.0221124
0.021258
0.0205109
0.0198157
0.0191901
0.0186588
0.018214
0.0178831
0.017612
0.0174311
0.0173327
0.0172961
0.0173033
0.0173365
0.0173832
0.0174291
0.0174689
0.0174884
0.0175029
0.0174706
0.0174825
0.0237775
0.0234641
0.0233601
0.0218963
0.0217334
0.0215823
0.023831
0.0239768
0.0240521
0.0261149
0.0258803
0.0256553
0.0268677
0.0271238
0.027343
0.0273627
0.0278232
0.0295259
0.028863
0.0280437
0.0277416
0.0274348
0.0272701
0.0276126
0.0279786
0.0269905
0.0266606
0.0263281
0.0246884
0.0250362
0.0254353
0.0271504
0.0278405
0.0289976
0.0305375
0.0284793
0.0290668
0.024018
0.0242627
0.0244642
0.0302511
0.0296709
0.0324562
0.0314573
0.0301153
0.0313715
0.032726
0.0334804
0.0345482
0.0308147
0.0246386
0.0247732
0.0313426
0.0318235
0.0248733
0.0249396
0.0322385
0.0378298
0.0367444
0.0356415
0.0358445
0.0342147
0.0286854
0.0271565
0.025822
0.0246392
0.0235942
0.0226392
0.0221718
0.0227528
0.0225279
0.0223114
0.0195204
0.0196951
0.0199645
0.0157396
0.0159509
0.0161093
0.0129267
0.0128112
0.0129021
0.0142702
0.0145005
0.00801152
0.00719872
0.00776613
0.00810531
0.0085018
0.00849219
0.00459071
0.00446103
0.00371333
0.00158238
0.000726885
0.000914004
0.00204667
0.0018173
0.000887004
0.000999113
0.00219031
0.00419113
0.00418975
0.00213004
0.00183999
0.00091366
0.000965131
0.000906999
0.00182869
0.00214031
0.00408392
0.00404682
0.00422289
0.00418647
0.00744832
0.00833862
0.0151431
0.0158252
0.0166131
0.0175071
0.00960565
0.00853232
0.00912353
0.00811817
0.00870304
0.00776284
0.00437204
0.00439511
0.00230782
0.00195999
0.00225185
0.00191219
0.00221779
0.00188569
0.0021686
0.00184647
0.000919108
0.000969849
0.000983705
0.000935956
0.00100573
0.000955257
0.00102782
0.000975535
0.00104925
0.000995237
0.00199362
0.00234165
0.00204343
0.00101949
0.00107122
0.00109628
0.00240552
0.00459464
0.00457872
0.00244253
0.00208013
0.00104012
0.0011202
0.00106649
0.00213458
0.00251233
0.00482091
0.00481194
0.00507721
0.00508068
0.00902117
0.0101697
0.0185401
0.0198685
0.0304677
0.0325293
0.0376168
0.0395352
0.041579
0.0388599
0.0325736
0.024985
0.0250286
0.032847
0.0330652
0.0250949
0.0252195
0.0332684
0.0411281
0.0405436
0.0397857
0.0436899
0.0457016
0.0474839
0.049044
0.0448894
0.041104
0.0377746
0.0349373
0.0234863
0.0215004
0.0116986
0.0103275
0.0108577
0.00961124
0.00539816
0.00537351
0.00276288
0.00234598
0.0026771
0.0022805
0.00263018
0.00223488
0.00255355
0.00217536
0.00108909
0.00114756
0.00117376
0.00111785
0.00120373
0.00114274
0.00123259
0.00117427
0.0012657
0.00120193
0.00239859
0.00281771
0.00247239
0.00123686
0.00129789
0.00133523
0.00291622
0.00572613
0.00578419
0.00298488
0.00253627
0.00126864
0.00137299
0.00130985
0.00262553
0.00310594
0.00616023
0.00627481
0.0112144
0.0127465
0.0123444
0.00693936
0.00672286
0.00336133
0.00282947
0.00320194
0.00271118
0.00135124
0.00141906
0.00147033
0.00140839
0.00153764
0.00147294
0.00295092
0.00349548
0.00310809
0.00155346
0.00161407
0.00172228
0.00369483
0.00747975
0.0140966
0.0260544
0.0293919
0.0337692
0.039229
0.0231174
0.0191557
0.0186048
0.0159815
0.0159594
0.0138523
0.00781181
0.00853053
0.00912995
0.00440046
0.0037182
0.00412239
0.00347876
0.0038742
0.00327198
0.0016425
0.00182324
0.00174838
0.00193202
0.00186853
0.00207081
0.00201328
0.00403218
0.00477805
0.0101399
0.0109959
0.0131485
0.015992
0.0251771
0.0254549
0.028106
0.039785
0.0488692
0.0415672
0.0335279
0.0254582
0.0257924
0.0338814
0.03442
0.0262371
0.0268343
0.0350957
0.0339584
0.0426393
0.0419561
0.0434768
0.0341289
0.0284405
0.026009
0.0295465
0.0324551
0.0275423
0.0284484
0.0296816
0.0285228
0.029534
0.0287444
0.0282806
0.027615
0.0272834
0.0277328
0.0253998
0.025705
0.0265262
0.0277312
0.0283882
0.028574
0.0284869
0.0288199
0.0292738
0.030283
0.0295463
0.0305752
0.0315649
0.0323886
0.0307994
0.029459
0.029194
0.0308876
0.0327854
0.0348715
0.0341975
0.0330961
0.0318628
0.0333904
0.0348605
0.0368468
0.0351569
0.0371632
0.0390517
0.0408334
0.0384243
0.0362116
0.0371398
0.0395892
0.0422226
0.043179
0.0403225
0.0376314
0.0350976
0.0327166
0.0304888
0.0284236
0.02654
0.0248531
0.0233881
0.0221488
0.0211464
0.0212727
0.024415
0.0305158
0.0204133
0.0161108
0.0150652
0.00975719
0.0120999
0.0148416
0.0170068
0.0219711
0.0217866
0.0189276
0.0103871
0.00872704
0.00864916
0.006386
0.00627054
0.00506918
0.00526663
0.00443861
0.00219908
0.00223943
0.0024647
0.00248713
0.00297886
0.00334481
0.00516215
0.00534888
0.00258573
0.00252739
0.00157805
0.00314137
0.00638416
0.00678028
0.0107342
0.0124623
0.0134394
0.00868237
0.00782803
0.00385821
0.0033318
0.00436776
0.00509948
0.0102444
0.0157231
0.0158594
0.0137304
0.0123628
0.015168
0.0124078
0.00751376
0.00363609
0.00237396
0.00391044
0.0079059
0.0091677
0.00479141
0.0061875
0.0081719
0.0094521
0.00743177
0.00579506
0.00706211
0.00604932
0.00488657
0.00406435
0.00503004
0.00437112
0.00587088
0.0072959
0.00843586
0.0054629
0.00490903
0.00387766
0.00368629
0.0028819
0.00346319
0.00453002
0.00495178
0.00303618
0.00303674
0.00243513
0.00267636
0.00324128
0.00414627
0.00636095
0.00318769
0.00216454
0.00198821
0.00148557
0.00173785
0.00202526
0.0017761
0.00278106
0.00255384
0.00348429
0.00693838
0.00494257
0.00369146
0.00465179
0.00274014
0.005427
0.00410908
0.00143971
0.00305146
0.00268353
0.00112171
0.0023469
0.00206573
0.000949107
0.00200052
0.00177551
0.000837226
0.00178193
0.00157278
0.000744638
0.00162601
0.00145013
0.000672016
0.00150442
0.00132741
0.000606763
0.00139317
0.00123117
0.000551333
0.00130035
0.00113525
0.000496446
0.00120204
0.00104664
0.000441539
0.00110252
0.000939558
0.00033692
0.00108497
0.000458914
0.00117806
0.000940387
0.000362076
0.000951664
0.000805004
0.000268592
0.000965229
0.000382463
0.00107211
0.000847093
0.000260907
0.000966691
0.000371021
0.000988024
0.000770926
0.000244093
0.00089463
0.000328209
0.000986358
0.000749368
0.00022888
0.000852046
0.00030907
0.000873807
0.000641415
0.000205858
0.000752912
0.000257538
0.000835705
0.000579079
0.000184563
0.000695691
0.000209432
0.000820047
0.000244298
0.000840864
0.000529662
0.00017258
0.00059642
0.000186458
0.000711218
0.000219202
0.000761775
0.000446666
0.000154785
0.000545052
0.000173629
0.000633805
0.000181376
0.000689597
0.000208452
0.000681328
0.000370422
0.000142332
0.000444391
0.000152715
0.000529258
0.000160605
0.000612084
0.000188345
0.000672313
0.000356996
0.00013628
0.000436774
0.000149086
0.000500856
0.000153331
0.000550218
0.000162959
0.000601335
0.000185616
0.0006407
0.000333381
0.000134356
0.000384448
0.000142573
0.000432232
0.000143753
0.000461447
0.000149048
0.000514447
0.000171094
0.00056588
0.000306721
0.000129999
0.000371922
0.000141703
0.00042302
0.000144845
0.000452265
0.000150846
0.000483261
0.000168186
0.000511759
0.000281606
0.000129188
0.000321148
0.00013489
0.000360492
0.000136265
0.000385202
0.000141011
0.000425522
0.000159591
0.000450377
0.000263067
0.000127618
0.000316315
0.000137346
0.000359375
0.000140814
0.000389333
0.000146731
0.000421537
0.000163947
0.000436446
0.000258148
0.000131742
0.000289616
0.000138132
0.000327812
0.000140168
0.000355571
0.000145672
0.000397525
0.000165958
0.000425642
0.000262695
0.000138088
0.00031149
0.000148817
0.000355186
0.000154301
0.000384091
0.000171623
0.000385769
0.000251688
0.000137029
0.000286068
0.000149179
0.000332316
0.000155506
0.000379214
0.000176959
0.000410354
0.000273218
0.000146319
0.000314371
0.000165091
0.000373688
0.000186086
0.000400393
0.000276488
0.000149251
0.000303065
0.000163258
0.000355488
0.000188899
0.000394536
0.000284053
0.000155274
0.000321804
0.000184364
0.000343528
0.000267574
0.000151384
0.000306004
0.000179354
0.000347417
0.000272478
0.000152798
0.000307952
0.000180225
0.000328719
0.000266674
0.000152226
0.000308414
0.000183185
0.000357415
0.000288618
0.000160657
0.000331763
0.000196205
0.000365395
0.000304812
0.000184219
0.000343475
0.000299493
0.000183047
0.000323951
0.000296366
0.000184018
0.000333436
0.000301074
0.000185568
0.000328968
0.000309408
0.000190014
0.000353442
0.000327585
0.000201778
0.000428031
0.000328951
0.00030549
0.00020916
0.000403187
0.000391494
0.000298111
0.000293132
0.000205052
0.000362106
0.000352231
0.000292552
0.000296891
0.000265363
0.000272099
0.000254157
0.000263154
0.000245862
0.000254632
0.000238172
0.000248602
0.000234637
0.000246551
0.000234934
0.000246665
0.000237657
0.000249552
0.000241673
0.000254734
0.000248402
0.00026262
0.000258
0.000272747
0.000270921
0.000285805
0.000286556
0.000290922
0.000295895
0.00029242
0.000300326
0.000297743
0.000307649
0.000305336
0.000317638
0.000316428
0.000331002
0.000329329
0.000345853
0.000344637
0.000362869
0.000360752
0.000380149
0.00037835
0.000398887
0.000396205
0.000417468
0.000415121
0.00043754
0.000433979
0.000457103
0.000453658
0.000477473
0.000472848
0.000497128
0.000492496
0.000517758
0.000511881
0.000536664
0.000531132
0.000556695
0.000549621
0.000574746
0.000567964
0.000594104
0.000585503
0.000611311
0.000602991
0.000629512
0.000619692
0.000645248
0.000635991
0.000662736
0.000651604
0.000677275
0.000666785
0.000693382
0.00068089
0.000706521
0.000694834
0.000721172
0.000707341
0.000732762
0.000719903
0.000745919
0.000730836
0.000755999
0.000741965
0.000767736
0.000751245
0.000776786
0.000761212
0.000786781
0.000769114
0.000794456
0.000777846
0.000803134
0.000784458
0.000809547
0.000792067
0.000817045
0.000797541
0.000822359
0.00080417
0.000828824
0.000808648
0.000833154
0.000814383
0.000838719
0.000818002
0.000842224
0.000822993
0.000847052
0.000826078
0.000849468
0.000830221
0.000853979
0.000832659
0.000855775
0.000836249
0.00085972
0.000838126
0.000860981
0.000841235
0.0008644
0.000842409
0.000865597
0.000845329
0.000868293
0.000846357
0.000868749
0.000848712
0.000871442
0.000849397
0.000871581
0.00085145
0.000873964
0.000851846
0.000873845
0.000853648
0.000875926
0.00085355
0.000875977
0.000855373
0.00087752
0.000855328
0.000877005
0.000856738
0.000878677
0.000856251
0.000878392
0.000857738
0.000879576
0.000857358
0.000878768
0.000858473
0.000880174
0.000857954
0.000879249
0.00085895
0.00088049
0.000858056
0.00087986
0.00085919
0.00088067
0.000858465
0.000879563
0.000859276
0.000880619
0.000858201
0.000879833
0.000859185
0.000880452
0.000858048
0.000879609
0.000858977
0.00088022
0.000858052
0.000878932
0.000858693
0.000879833
0.000857455
0.000878898
0.000858266
0.000879373
0.000857258
0.000877989
0.000857781
0.000878763
0.0008567
0.000877706
0.000856735
0.000878101
0.000855903
0.000876853
0.000855867
0.000877052
0.000854566
0.000876449
0.000855514
0.000876481
0.000854422
0.000877562
0.000856056
0.000882575
0.000857742
0.000906624
0.000920525
0.00101025
0.0016183
0.00147872
0.00257822
0.00132609
0.00144559
0.00222966
0.00133662
0.00143907
0.00212582
0.00132328
0.00142609
0.00207443
0.00131611
0.00141952
0.00198195
0.00132153
0.00142102
0.00203769
0.00131437
0.00141708
0.00196876
0.0013201
0.00141918
0.0020231
0.00131392
0.00141627
0.00196733
0.00131903
0.00141791
0.00201795
0.00131323
0.00141518
0.00196552
0.00131805
0.00141675
0.00201495
0.00131231
0.0014138
0.00196251
0.00131709
0.00141528
0.00201178
0.00131096
0.00141201
0.00195908
0.00131552
0.00141318
0.00200802
0.00130932
0.00140992
0.00195476
0.00131371
0.00141096
0.00200352
0.00130714
0.00140724
0.0019499
0.0013113
0.00140798
0.00199834
0.00130442
0.00140389
0.00194406
0.00130829
0.00140421
0.00199227
0.00130122
0.00140001
0.00193729
0.00130482
0.00140008
0.0019852
0.00129726
0.00139527
0.0019296
0.00130052
0.00139485
0.00197716
0.0012927
0.00138982
0.00192077
0.0012956
0.00138901
0.00196798
0.00128741
0.0013836
0.00191079
0.00128998
0.00138245
0.00195759
0.00128124
0.00137637
0.00189979
0.00128338
0.00137467
0.00194608
0.00127433
0.00136832
0.00188739
0.00127607
0.00136622
0.00193321
0.00126642
0.00135916
0.00187389
0.00126767
0.00135644
0.00191912
0.00125763
0.00134901
0.00185893
0.00125837
0.00134575
0.00190359
0.00124782
0.00133777
0.00184266
0.00124805
0.00133395
0.00188664
0.00123698
0.00132545
0.00182494
0.00123669
0.0013211
0.0018682
0.00122494
0.0013118
0.00180588
0.00122404
0.00130674
0.00184835
0.00121181
0.00129699
0.00178521
0.00121029
0.0012913
0.0018269
0.00119747
0.00128094
0.00176307
0.00119534
0.00127464
0.00180391
0.00118196
0.00126371
0.00173936
0.00117924
0.00125687
0.00177934
0.00116518
0.00124521
0.00171424
0.00116186
0.00123776
0.00175331
0.00114721
0.00122553
0.00168759
0.00114328
0.00121749
0.00172584
0.00112805
0.00120473
0.00165953
0.00112353
0.00119615
0.00169703
0.00110774
0.0011829
0.00162993
0.00110274
0.00117387
0.00166715
0.00108635
0.00116018
0.00159899
0.00108097
0.0011508
0.00163632
0.00106399
0.00113673
0.00156707
0.00105832
0.00112701
0.00160468
0.00104088
0.0011128
0.00153434
0.00103505
0.00110276
0.00157246
0.00101682
0.00108819
0.00150132
0.00101066
0.00107838
0.00154033
0.000991707
0.00106319
0.00146879
0.000984773
0.00105289
0.00150944
0.000964905
0.00103718
0.00143772
0.000956114
0.00102511
0.00148124
0.000936911
0.0010107
0.00140703
0.000927848
0.000998343
0.00145222
0.000908799
0.000983281
0.00137783
0.000900301
0.000972137
0.00142465
0.000882347
0.000957496
0.00135023
0.000874007
0.00094747
0.00139959
0.000857216
0.000932861
0.00132549
0.000849192
0.000924433
0.0013771
0.000833057
0.000910447
0.00130379
0.000826315
0.00090283
0.00135844
0.000808276
0.000889633
0.00128633
0.000802554
0.000881827
0.00134585
0.000785107
0.000869038
0.00127502
0.00077914
0.000860733
0.00134081
0.000760704
0.000847227
0.00127229
0.000753126
0.000837026
0.00134698
0.000731075
0.000819659
0.00128287
0.000718886
0.000804885
0.00137079
0.000690949
0.000784257
0.00131356
0.000678944
0.000778135
0.001406
0.000658852
0.000768804
0.00135128
0.000654373
0.00077403
0.00144832
0.000647502
0.000773811
0.00140371
0.00065272
0.000782522
0.00151516
0.000649283
0.000786586
0.00149222
0.000657508
0.000799805
0.00161757
0.000658351
0.000809154
0.00162547
0.000669983
0.000828155
0.00176635
0.000676689
0.000846533
0.00180938
0.000695559
0.000877612
0.00199867
0.000711507
0.000903615
0.00211567
0.000727421
0.000938212
0.00234345
0.000740454
0.00101503
0.00220822
0.000831444
0.00124599
0.00251858
0.00112176
0.00184673
0.000645984
0.000724473
0.00191283
0.00293137
0.00463868
0.00690474
0.00443583
0.00432682
0.0072304
0.00422571
0.00474815
0.0096851
0.00604574
0.00665851
0.0141871
0.00740517
0.00615387
0.0144164
0.00687883
0.00578885
0.0135164
0.00649058
0.00551191
0.0128001
0.00618859
0.00528098
0.0122576
0.00594602
0.00508872
0.0118213
0.00574927
0.0049325
0.0114431
0.00558861
0.004808
0.011111
0.00545836
0.00470957
0.0108185
0.00535322
0.00463185
0.010558
0.00526794
0.00457015
0.0103234
0.00519906
0.00452082
0.010106
0.00513984
0.00448032
0.00991674
0.0050911
0.00444836
0.00974373
0.0050497
0.00442154
0.00958968
0.0050141
0.00440088
0.00944727
0.00498458
0.00438489
0.00932048
0.00495989
0.00437278
0.00920149
0.00493948
0.00436375
0.00909557
0.00492144
0.00435726
0.00899438
0.00490648
0.00435242
0.00890383
0.0048935
0.00434907
0.00881622
0.00488206
0.00434651
0.00873902
0.00487196
0.00434487
0.00866226
0.00486279
0.00434343
0.00859619
0.00485451
0.00434261
0.0085279
0.00484673
0.00434157
0.00847123
0.00483956
0.004341
0.00840944
0.00483257
0.00433985
0.00836102
0.00482599
0.00433912
0.0083039
0.00481933
0.00433752
0.00826288
0.00481299
0.00433643
0.0082088
0.00480636
0.00433411
0.00817475
0.00479999
0.00433247
0.00812216
0.00479311
0.00432925
0.00809501
0.00478653
0.00432702
0.00804231
0.00477925
0.00432277
0.00802246
0.00477233
0.00431993
0.00796785
0.00476447
0.00431448
0.00795613
0.00475714
0.00431114
0.00789761
0.0047487
0.00430456
0.00789587
0.00474117
0.00430099
0.0078309
0.00473288
0.00429342
0.00784006
0.00472545
0.00429004
0.00776771
0.00471613
0.00428215
0.00779872
0.00470964
0.00428303
0.00769385
0.00470177
0.00427284
0.00804522
0.00471098
0.00431505
0.0078096
0.0047751
0.00441699
0.0105456
0.00545311
0.00588867
0.0103256
0.0100844
0.0194461
0.029435
0.0404692
0.0393753
0.0280722
0.0185501
0.0170866
0.0171583
0.0169351
0.0266945
0.0268691
0.027013
0.0385052
0.0383422
0.0382122
0.0529978
0.0530901
0.0532603
0.0539278
0.0547773
0.0741488
0.100457
0.135369
0.135581
0.100184
0.0735385
0.073137
0.0730362
0.0730303
0.100424
0.100233
0.100125
0.136003
0.136531
0.137116
0.184647
0.183372
0.182143
0.181017
0.180095
0.235344
0.301264
0.377488
0.382119
0.304398
0.237233
0.239371
0.241668
0.244028
0.315662
0.311739
0.307935
0.387467
0.393267
0.399294
0.493998
0.485294
0.476987
0.469443
0.463108
0.556696
0.656343
0.759687
0.771504
0.666379
0.564872
0.574928
0.586212
0.598159
0.709516
0.693819
0.679181
0.787135
0.805395
0.825236
0.942072
0.917842
0.895854
0.877437
0.864004
0.966004
1.06211
1.14743
1.16629
1.07886
0.981052
1.0022
1.02788
1.05657
1.16506
1.13197
1.10268
1.19282
1.22556
1.2629
1.3439
1.30267
1.26679
1.23786
1.21713
1.26727
1.29812
1.32064
1.28926
1.31998
1.35831
1.40254
1.43803
1.39207
1.35237
1.48919
1.45151
1.38938
1.3039
1.2011
1.08751
0.967923
0.84619
0.725945
0.610557
0.502964
0.405462
0.319649
0.246414
0.185931
0.137713
0.100655
0.0731185
0.0530766
0.03833
0.0268461
0.017048
0.0170561
0.0171515
0.0172034
0.0270812
0.0270037
0.0268679
0.0383645
0.0385073
0.0385868
0.0387272
0.027218
0.017296
0.0173627
0.0174554
0.0175343
0.027569
0.0274541
0.0273151
0.0388299
0.0389719
0.0390945
0.0537227
0.0536199
0.0535087
0.0534178
0.0533081
0.053232
0.0531225
0.073204
0.0733167
0.0734153
0.101364
0.10113
0.100889
0.138314
0.138913
0.139511
0.140106
0.101593
0.0735228
0.0736216
0.0737239
0.0738211
0.102243
0.102034
0.101815
0.140695
0.141283
0.141863
0.142442
0.102445
0.0739214
0.0538394
0.0392436
0.0277138
0.0176296
0.0177193
0.0178195
0.0179194
0.0281456
0.027998
0.0278451
0.0393842
0.0395439
0.0397018
0.0398754
0.0283086
0.0180264
0.0181367
0.0182522
0.0183737
0.0288295
0.0286488
0.0284727
0.0400508
0.0402408
0.0404352
0.0547934
0.0546358
0.0544852
0.0543442
0.054207
0.0540803
0.0539545
0.074017
0.0741145
0.0742109
0.103003
0.102825
0.102639
0.14301
0.143571
0.144121
0.14466
0.103167
0.0743074
0.0744044
0.0745031
0.0746035
0.103608
0.103471
0.103323
0.145189
0.145696
0.146192
0.146657
0.103734
0.074706
0.0549604
0.0406433
0.029021
0.0184995
0.0186331
0.0187714
0.0189187
0.0296476
0.0294292
0.0292198
0.0408589
0.0410873
0.0413265
0.0415784
0.0298775
0.0190717
0.0192347
0.0194051
0.019587
0.030641
0.0303721
0.0301186
0.0418432
0.0421228
0.0424184
0.0564453
0.0561919
0.0559554
0.0557312
0.0555217
0.0553234
0.0551365
0.0748137
0.0749275
0.0750463
0.104046
0.103951
0.103847
0.147101
0.147512
0.147889
0.148227
0.104134
0.0751762
0.0753161
0.0754688
0.0756407
0.104387
0.1043
0.104217
0.148521
0.148773
0.148973
0.149134
0.104495
0.0758271
0.0567159
0.0427311
0.0309237
0.019778
0.0199828
0.0201996
0.0204355
0.031868
0.0315347
0.0312172
0.0430554
0.0434059
0.0437747
0.0441703
0.0322255
0.0206854
0.0209493
0.0212446
0.0215574
0.0334542
0.0330156
0.0326058
0.044591
0.0450437
0.0455287
0.0592245
0.0587835
0.0583734
0.0579941
0.0576392
0.057311
0.0570067
0.0760441
0.0762765
0.0765342
0.10495
0.104756
0.104618
0.149256
0.149365
0.149513
0.149735
0.105187
0.0768304
0.0771573
0.0775252
0.0779333
0.106215
0.105862
0.105475
0.149785
0.150751
0.142091
0.13063
0.157829
0.192145
0.221704
0.219953
0.219843
0.219399
0.218657
0.217702
0.216589
0.215349
0.214021
0.212629
0.211192
0.209728
0.208249
0.206766
0.205284
0.20381
0.202346
0.200895
0.199459
0.198039
0.196632
0.195244
0.19387
0.192512
0.191164
0.189836
0.188522
0.187222
0.248827
0.251279
0.253785
0.33216
0.327877
0.323713
0.411785
0.418306
0.425057
0.432058
0.336571
0.256349
0.258965
0.261647
0.26439
0.35067
0.345821
0.34113
0.439323
0.446865
0.454698
0.576302
0.564457
0.553107
0.542231
0.531808
0.521814
0.512216
0.623431
0.636867
0.650939
0.780149
0.76115
0.743116
0.868276
0.891608
0.916346
0.942605
0.800188
0.665694
0.681176
0.697416
0.714443
0.867152
0.843641
0.821335
0.970491
1.00009
1.0315
1.06476
0.891931
0.732308
0.588677
0.462843
0.355683
0.267207
0.270092
0.273063
0.276108
0.37185
0.366251
0.360876
0.47133
0.480181
0.489438
0.499146
0.377676
0.279248
0.282484
0.285824
0.289272
0.396835
0.390137
0.383762
0.509364
0.520163
0.531631
0.694871
0.676956
0.660177
0.644368
0.629402
0.615178
0.601623
0.751063
0.770759
0.791434
0.974454
0.945535
0.918045
1.1
1.13722
1.17645
1.21775
1.00491
0.813264
0.836271
0.860763
0.886874
1.10728
1.07106
1.03705
1.26119
1.30693
1.35526
1.63051
1.56726
1.50705
1.44952
1.39473
1.34264
1.29342
1.24708
1.2036
1.16287
1.12476
1.08911
1.05579
1.0246
0.995373
1.12063
1.15616
1.19432
1.32742
1.28199
1.24
1.3484
1.39671
1.44929
1.50666
1.37666
1.2354
1.27967
1.3274
1.37887
1.55179
1.48838
1.43015
1.5695
1.63854
1.71464
1.85559
1.76729
1.68808
1.61664
1.55186
1.49287
1.43891
1.50497
1.56334
1.62733
1.67367
1.60643
1.54518
1.74796
1.69789
1.77616
1.86356
1.96193
2.02848
1.92342
1.83064
2.14881
2.07363
1.95458
1.7987
1.62093
1.43432
1.49397
1.55788
1.62592
1.86595
1.77793
1.69621
1.89176
1.99458
2.10751
2.22961
1.95962
1.69779
1.77296
1.85105
1.93497
1.4732
1.98558
2.05772
2.02343
1.46998
1.01462
0.787656
1.06807
1.54693
2.16013
2.33545
2.19247
2.06616
2.20173
2.35039
2.49386
2.2724
2.45307
2.28846
1.49873
1.77587
1.19876
0.875972
0.706223
0.687067
0.804986
1.03402
0.615895
0.613705
0.636384
0.738837
1.01329
1.51533
1.69535
1.40641
1.14612
0.915031
0.71413
0.543871
0.403892
0.292833
0.296507
0.300293
0.304181
0.427594
0.419234
0.411345
0.557
0.571162
0.586516
0.603246
0.436449
0.308153
0.312179
0.316221
0.32023
0.465936
0.455624
0.445799
0.621489
0.641205
0.662786
0.74882
0.876925
0.842464
0.810806
0.782824
0.757758
0.734986
0.945653
0.979294
1.0164
1.28574
1.23526
1.18843
1.46165
1.52615
1.18414
0.817448
1.21029
1.0584
1.10993
0.838088
0.595103
0.438444
0.596828
0.85547
0.576021
0.434754
0.349937
0.294575
0.341654
0.435063
0.551625
0.615206
0.476675
0.324131
0.327828
0.330929
0.283681
0.285147
0.367943
0.479471
0.467428
0.354412
0.275505
0.219736
0.227063
0.227981
0.186118
0.153266
0.127188
0.126847
0.151685
0.184226
0.179137
0.148874
0.125767
0.123372
0.143554
0.16893
0.202054
0.247382
0.312674
0.408756
0.33277
0.265216
0.218971
0.202308
0.234978
0.278846
0.254384
0.222567
0.195957
0.172947
0.176407
0.185553
0.159726
0.138718
0.121066
0.119736
0.136041
0.154738
0.152735
0.134892
0.11916
0.118872
0.134232
0.151702
0.171559
0.194011
0.219275
0.247557
0.279347
0.316547
0.364604
0.435854
0.555711
0.768498
1.12011
1.57545
1.05142
0.732647
0.54918
0.4715
0.559583
0.721186
0.588277
0.506822
0.457222
0.418515
0.418808
0.44763
0.387643
0.345427
0.309812
0.309405
0.344322
0.37987
0.381489
0.344047
0.307344
0.303992
0.34104
0.380447
0.420788
0.460887
0.502337
0.553886
0.554996
0.50781
0.463172
0.462287
0.510509
0.560923
0.416783
0.419358
0.377214
0.337729
0.301412
0.300091
0.335708
0.374563
0.267625
0.268423
0.270154
0.272947
0.275657
0.276899
0.2461
0.217883
0.192629
0.191054
0.215991
0.244253
0.241776
0.214111
0.189802
0.168509
0.169237
0.170365
0.150828
0.133728
0.11873
0.11879
0.133452
0.150157
0.149825
0.133405
0.118978
0.119261
0.133536
0.149733
0.168147
0.189075
0.212854
0.239799
0.238742
0.212253
0.188767
0.188661
0.211995
0.238279
0.168023
0.168038
0.149762
0.13368
0.1195
0.11966
0.133795
0.14983
0.107199
0.107001
0.106676
0.106281
0.105905
0.105589
0.105411
0.105355
0.105477
0.105954
0.106819
0.107434
0.107148
0.106732
0.108996
0.117266
0.106752
0.0783955
0.0597039
0.0460525
0.0339305
0.0219051
0.0222822
0.0227016
0.0231651
0.035626
0.0350091
0.0344456
0.0466187
0.047234
0.0479026
0.0486333
0.0363074
0.023687
0.0242739
0.0249464
0.0257249
0.0388641
0.0379132
0.0370645
0.0494377
0.0503206
0.051255
0.0496758
0.0609869
0.06282
0.0620413
0.0614102
0.0607848
0.0602198
0.0788908
0.0793128
0.080033
0.0760832
0.0915044
0.10769
0.0975037
0.0818982
0.0701434
0.0602575
0.065333
0.0739696
0.0627447
0.0536818
0.0421731
0.0344948
0.0461867
0.0566153
0.0502025
0.0398523
0.032217
0.0277493
0.0268734
0.0300985
0.0374043
0.0417361
0.0398771
0.0266248
0.025792
0.0214124
0.0167606
0.0174975
0.0245927
0.0319899
0.0316068
0.0222303
0.018025
0.0160413
0.0148965
0.0121111
0.0111099
0.0106004
0.0100407
0.00713204
0.00512392
0.00356502
0.00241754
0.00110644
0.00140454
0.00240652
0.00278537
0.0023734
0.000794387
0.0010113
0.00285027
0.00376728
0.00332418
0.00420078
0.0052905
0.00560286
0.0052158
0.00618289
0.00405283
0.00291403
0.00126721
0.000824875
0.002123
0.00157327
0.00242703
0.000778266
0.00109842
0.00421161
0.00195419
0.000705305
0.00114986
0.00236637
0.000732034
0.00107836
0.00473101
0.00363729
0.00513772
0.00326659
0.00578478
0.00798218
0.00538296
0.00704749
0.00778768
0.0091485
0.00971463
0.00977199
0.0103106
0.0108463
0.0118208
0.0133131
0.0138443
0.0119082
0.0107307
0.0107028
0.0116927
0.0132852
0.0155054
0.0177878
0.0203028
0.02612
0.0230627
0.0199664
0.0175587
0.0177328
0.020384
0.0231875
0.0242683
0.0211952
0.018729
0.016822
0.0155859
0.0151787
0.0132655
0.011984
0.0112205
0.0123028
0.012957
0.014016
0.0154019
0.0143963
0.0137246
0.013323
0.0119594
0.0108172
0.0101422
0.0100437
0.00969702
0.00993814
0.00977078
0.00995054
0.00953103
0.00823667
0.00692386
0.00644261
0.00803742
0.00529056
0.00354489
0.00119054
0.000706041
0.00201448
0.0025834
0.000814163
0.00129889
0.00560219
0.00281496
0.000977735
0.00221856
0.000733526
0.00128155
0.00330406
0.00692183
0.00557339
0.0069847
0.0049512
0.00741294
0.00942286
0.00723594
0.00812408
0.0100595
0.0105161
0.00964152
0.00868628
0.00813909
0.00979396
0.00759594
0.00554948
0.00109428
0.000661341
0.00194817
0.000961917
0.0028376
0.00358817
0.00248071
0.000865675
0.00200958
0.000675921
0.00120923
0.00276338
0.000934694
0.00193384
0.000675523
0.00115294
0.00564132
0.00355837
0.00735594
0.00314713
0.00532488
0.00723038
0.00460391
0.010532
0.0116007
0.00951213
0.00957865
0.00909734
0.00508065
0.00232964
0.00077079
0.00147994
0.00360556
0.00898198
0.0060216
0.00346341
0.00122149
0.00275689
0.000965002
0.00217738
0.000706892
0.00132824
0.00344821
0.00697128
0.0046069
0.00994038
0.0121077
0.010479
0.0110895
0.0119168
0.0118316
0.013462
0.0114265
0.00981182
0.00689359
0.00362058
0.00131722
0.00309917
0.00103658
0.00236097
0.000799343
0.0015795
0.00363252
0.00139625
0.00302334
0.00118182
0.00266646
0.000896824
0.00210962
0.000721691
0.00139369
0.00614836
0.00337165
0.00133036
0.003312
0.00125175
0.0030048
0.00105003
0.00240279
0.000840952
0.00168479
0.0038268
0.0015623
0.00325207
0.00139324
0.00305283
0.00112454
0.0026041
0.000993019
0.00231089
0.000756208
0.00156864
0.00364024
0.00693624
0.00434728
0.00794638
0.00524985
0.0091855
0.00382451
0.00618122
0.0103935
0.00520133
0.0074681
0.0115493
0.00620097
0.0124978
0.0145691
0.0130444
0.00744241
0.00369885
0.00489999
0.00903764
0.00372002
0.00617136
0.0102149
0.00468571
0.00560268
0.00802836
0.0120994
0.0141352
0.0123847
0.0132886
0.0122356
0.0143744
0.0147811
0.0151025
0.0159412
0.0150791
0.0140744
0.0135644
0.014956
0.0132618
0.0144484
0.014145
0.015445
0.0136426
0.0150326
0.0124352
0.00710543
0.00394128
0.00171075
0.003686
0.00150146
0.00322602
0.00134102
0.00297293
0.00112836
0.00242634
0.000920231
0.00175389
0.00386773
0.00170632
0.00328334
0.00155542
0.00310839
0.001296
0.00269351
0.00117261
0.00244269
0.000916248
0.00173412
0.00381405
0.00700311
0.00440519
0.00773569
0.00520312
0.00915441
0.00387304
0.00616045
0.00995914
0.00499159
0.00722998
0.0114063
0.00569907
0.00615477
0.00857696
0.0157708
0.0177751
0.0161476
0.0156052
0.0182427
0.0146842
0.0164902
0.0134436
0.0187079
0.0124054
0.00713275
0.00417648
0.00197424
0.00394528
0.00179415
0.00350252
0.00164301
0.0032438
0.00141399
0.00269925
0.00116967
0.00198483
0.00432447
0.00203911
0.003747
0.00189577
0.00349415
0.00163055
0.00302914
0.00147003
0.0027151
0.00117141
0.00195376
0.00419448
0.00748258
0.00487102
0.00836413
0.00571366
0.00947193
0.00421421
0.00652222
0.0105219
0.00530253
0.00761577
0.0113168
0.00593525
0.00622045
0.0084925
0.0170488
0.0179907
0.0172428
0.0187444
0.0165826
0.0187081
0.0149181
0.0191799
0.0143573
0.019048
0.0127041
0.00758364
0.00455291
0.00224896
0.00427723
0.0020645
0.00378502
0.00190999
0.00349001
0.00165331
0.00288431
0.00137257
0.00211749
0.00438794
0.0021567
0.00374113
0.00198337
0.00338454
0.00163569
0.00279002
0.00136137
0.00203603
0.00707509
0.00418632
0.00218375
0.00404817
0.00212139
0.00373082
0.00184436
0.00309117
0.00153918
0.00227212
0.00445862
0.00937236
0.00676616
0.0104638
0.00525855
0.00569183
0.00787741
0.0116089
0.00665138
0.0230812
0.0130833
0.00790806
0.00457205
0.00562993
0.00947189
0.00436041
0.00666676
0.0103597
0.00509213
0.00547377
0.0077547
0.0117909
0.00619077
0.006625
0.00907001
0.0176785
0.0220748
0.0199922
0.0215434
0.0193116
0.0208618
0.0190206
0.0194497
0.0210776
0.0199347
0.0199615
0.0193747
0.0192449
0.0187191
0.0172664
0.0158166
0.0163818
0.015119
0.0165642
0.0148649
0.0178844
0.0175012
0.0172275
0.0167812
0.0173733
0.0168407
0.0165207
0.0157103
0.0154154
0.0146907
0.0138964
0.0137785
0.0132649
0.0126554
0.0118469
0.0109961
0.00872159
0.00960087
0.00958864
0.0114212
0.0110799
0.0114937
0.0115269
0.0125196
0.0120545
0.0120391
0.0130172
0.0132143
0.0138127
0.0142989
0.0144198
0.0134162
0.0131493
0.0124016
0.0121657
0.0115991
0.0112408
0.0109385
0.01087
0.0108015
0.0104882
0.00994845
0.010052
0.00961979
0.00961834
0.00955225
0.00991296
0.0099201
0.0106963
0.0107667
0.0109831
0.010103
0.0104231
0.00985244
0.00973355
0.0100497
0.0100831
0.0102999
0.0105543
0.0107044
0.0102803
0.00990056
0.010207
0.0106828
0.0112133
0.0119026
0.0113544
0.0108542
0.0117053
0.0113039
0.0123149
0.0120496
0.0118773
0.0118383
0.0131296
0.0131047
0.0132206
0.01345
0.0137708
0.0126723
0.0131072
0.0121742
0.0126911
0.0136174
0.0146095
0.0141598
0.0152303
0.0149099
0.0146687
0.0145152
0.0144659
0.0145552
0.0148083
0.0152753
0.0160117
0.0170698
0.0185195
0.0204007
0.022766
0.0257102
0.0294376
0.033899
0.0391518
0.0466582
0.0565696
0.0669632
0.0780256
0.0916866
0.090544
0.0773839
0.0657913
0.0675423
0.0785817
0.0914002
0.0925016
0.0800642
0.0694063
0.0602353
0.0581067
0.0560304
0.0481402
0.0413688
0.0358253
0.0381419
0.0436611
0.0502717
0.0524526
0.0458988
0.0404105
0.042388
0.0478263
0.0542723
0.0618621
0.0707322
0.081011
0.0929105
0.0929108
0.0815712
0.0717017
0.0725738
0.0820961
0.0930071
0.0932695
0.0826822
0.0734343
0.0653786
0.0642956
0.0631476
0.0557853
0.0494881
0.0441335
0.0457139
0.0509827
0.0571384
0.0583895
0.0523515
0.0471566
0.042704
0.041223
0.0396028
0.0378243
0.0358519
0.0336439
0.0313848
0.027719
0.0247341
0.0223207
0.0243732
0.0268695
0.029928
0.0320546
0.0289128
0.0263352
0.0242371
0.0223571
0.0203918
0.0188959
0.0177716
0.0169565
0.0186205
0.0195398
0.0207666
0.0225581
0.0212397
0.0202278
0.0217706
0.022864
0.0242605
0.026011
0.0281721
0.0308066
0.033997
0.0357751
0.0325645
0.0298897
0.0314798
0.0341859
0.0374094
0.0389024
0.0356717
0.0329417
0.030649
0.0292238
0.0276764
0.0258649
0.0243998
0.0232322
0.0245993
0.0258329
0.0273589
0.028738
0.0271576
0.0258639
0.0270159
0.0283583
0.0299872
0.0319403
0.0342661
0.037019
0.0402578
0.0440497
0.0484705
0.0536057
0.0595496
0.0664052
0.0742843
0.0833116
0.0936343
0.0940766
0.0839698
0.0751162
0.0759224
0.0846443
0.0945865
0.0951159
0.0852968
0.076663
0.0690991
0.0682797
0.0673739
0.0606216
0.0547499
0.0496605
0.0507278
0.055784
0.0616028
0.0624813
0.0566947
0.0516599
0.0524195
0.0574369
0.0631976
0.0697837
0.0773029
0.0858773
0.0956111
0.0959911
0.0863018
0.0777762
0.0780548
0.086566
0.0962274
0.0705985
0.0702914
0.0637154
0.0579667
0.0529594
0.0532947
0.0582991
0.0640414
0.0489136
0.0485797
0.0480404
0.0472854
0.0463471
0.0452636
0.0414777
0.0382303
0.0354567
0.0365099
0.0393025
0.0425607
0.0434983
0.0402313
0.0374188
0.0350097
0.0341307
0.0331031
0.0311104
0.0294374
0.028051
0.0289668
0.0303952
0.0321026
0.0329536
0.0312142
0.029748
0.0303727
0.0318686
0.0336369
0.03571
0.0381428
0.0409721
0.0442488
0.0447829
0.0414939
0.0386473
0.038968
0.0418232
0.0451158
0.0365223
0.0362055
0.0341111
0.032322
0.0308071
0.0310886
0.0326163
0.0344123
0.0298042
0.0295368
0.0291228
0.0285245
0.0277771
0.0269069
0.025919
0.0248202
0.0236171
0.0223183
0.0209294
0.0194718
0.0179575
0.0163977
0.0160427
0.0158581
0.0158126
0.0171004
0.0172296
0.0175053
0.0189315
0.0185712
0.0183626
0.0182824
0.0170941
0.0158856
0.0160524
0.0163082
0.0166363
0.015619
0.0160651
0.0151111
0.014178
0.0132753
0.0125037
0.0118135
0.0112524
0.0109901
0.0115233
0.0122144
0.0121359
0.0127026
0.0128574
0.0133358
0.013645
0.0144387
0.015729
0.0155604
0.0146491
0.0150676
0.0157619
0.0168286
0.0178913
0.0182514
0.0183974
0.0191814
0.0189466
0.0181272
0.0169034
0.016044
0.0155556
0.0154181
0.0147076
0.0141667
0.0140057
0.0147239
0.0155361
0.0158174
0.0149653
0.0141527
0.0133892
0.0136908
0.0129282
0.013354
0.012582
0.0118663
0.012446
0.0131297
0.0138747
0.0146621
0.0141283
0.0149331
0.0144924
0.0153242
0.0161873
0.0166555
0.0157714
0.016342
0.0154777
0.0161324
0.0153192
0.0145136
0.01379
0.0131178
0.0139083
0.014581
0.0152829
0.016077
0.0154104
0.0147817
0.0156641
0.0162606
0.0168861
0.0175608
0.016782
0.0160318
0.0168213
0.0176366
0.0169718
0.0178397
0.0172305
0.0181427
0.0175835
0.0170824
0.016701
0.0164005
0.0162058
0.0162271
0.016514
0.017117
0.018072
0.0193678
0.0200048
0.0201333
0.021117
0.0212336
0.0222461
0.0223746
0.0223475
0.0229835
0.0229547
0.0238551
0.0237987
0.0247422
0.02455
0.0225454
0.0144438
0.0185775
0.0154007
0.0202086
0.016997
0.0251323
0.0267036
0.0245605
0.0218232
0.0158787
0.020365
0.0145103
0.00785958
0.00315612
0.00155192
0.00227432
0.00449761
0.00744229
0.0046287
0.00249954
0.00407386
0.00208825
0.00328186
0.00170914
0.00240369
0.00435079
0.00225592
0.00336468
0.00178452
0.00240202
0.007406
0.00432088
0.00238503
0.00379757
0.00201386
0.00275087
0.00482222
0.00258105
0.00373857
0.002008
0.00262755
0.00783973
0.00583035
0.00975342
0.00501888
0.00745246
0.0113665
0.00634436
0.0264323
0.0166556
0.0223048
0.014504
0.019094
0.0121407
0.00661209
0.00395997
0.00215869
0.00285927
0.00510649
0.009646
0.00767825
0.00475401
0.00260814
0.00362286
0.00198165
0.00248527
0.00726666
0.00403636
0.00220975
0.00298468
0.00495798
0.00276976
0.0037705
0.0020755
0.00259518
0.00483762
0.00837983
0.00679622
0.0109145
0.00570276
0.0283711
0.015981
0.0230604
0.0134739
0.00733283
0.00432593
0.00236441
0.00295871
0.00463298
0.00246952
0.00301877
0.00545786
0.0101407
0.0053454
0.00817364
0.0147107
0.00826944
0.00490125
0.00268365
0.00331958
0.00519487
0.00279881
0.00341359
0.0061768
0.0114767
0.00601613
0.00918777
0.0211342
0.0373035
0.0187144
0.0281082
0.0375747
0.052157
0.0537072
0.0448604
0.0375979
0.0313181
0.0268025
0.0298256
0.0329258
0.0301435
0.0267387
0.0159039
0.00909641
0.00533214
0.00453224
0.00687468
0.010993
0.00552984
0.00624009
0.00865029
0.012535
0.017144
0.02352
0.0262097
0.0238115
0.0191878
0.0293434
0.029622
0.0283096
0.0286702
0.0299898
0.0298331
0.0286902
0.0271363
0.0254966
0.0259812
0.0272233
0.0269296
0.0260128
0.0249867
0.0249125
0.0239774
0.0238699
0.0230934
0.0228492
0.0220406
0.0217705
0.0207479
0.0205752
0.0193838
0.0195857
0.0198593
0.0208448
0.0211066
0.0221311
0.023266
0.0234526
0.024436
0.0247901
0.0256345
0.0261836
0.0252206
0.0242496
0.0237783
0.0228518
0.0224275
0.0215678
0.0209499
0.020335
0.0198315
0.0191787
0.0186867
0.0183351
0.0175875
0.0181019
0.0187933
0.0195827
0.0204649
0.0205942
0.0214592
0.0216846
0.0221406
0.0228807
0.0234476
0.0241473
0.02483
0.0257361
0.0267619
0.0276728
0.028362
0.0292124
0.0283745
0.0290658
0.0300986
0.0308762
0.0313918
0.0313406
0.0307652
0.0332479
0.0332869
0.0352488
0.0359777
0.0361393
0.0353223
0.0391993
0.0394239
0.0431866
0.0446145
0.0510647
0.0474054
0.043972
0.0413444
0.0385342
0.0373046
0.0393521
0.0409106
0.0382077
0.0373371
0.0359349
0.0343582
0.0327979
0.0320383
0.0310279
0.0298503
0.0306703
0.0319501
0.0332679
0.0344049
0.035351
0.0359416
0.0342087
0.0336295
0.0328515
0.0315133
0.0322903
0.0329771
0.0321606
0.0313346
0.0304808
0.0296048
0.0287675
0.0279915
0.0273299
0.0263377
0.0270688
0.0279061
0.0272977
0.0263729
0.0255435
0.024987
0.025912
0.0269232
0.0279823
0.0282847
0.0288121
0.0297597
0.0307124
0.0316688
0.0314266
0.030359
0.0293115
0.0290857
0.0302175
0.0313705
0.0325467
0.0325173
0.0326286
0.0329551
0.0335663
0.034558
0.0360602
0.0382172
0.041161
0.0449795
0.0500723
0.0568306
0.0645996
0.072401
0.0569662
0.0295924
0.0174624
0.00948266
0.00558658
0.00305733
0.003779
0.00596649
0.00324254
0.00396224
0.007166
0.0134957
0.00692941
0.0107338
0.0205253
0.011271
0.00664914
0.00362305
0.00452631
0.00747203
0.00411926
0.00517951
0.00939549
0.017491
0.00841095
0.0130615
0.0311199
0.051248
0.0250242
0.0372782
0.0842879
0.0732777
0.0641889
0.0437908
0.0294586
0.0155108
0.00935656
0.00513185
0.0067527
0.0125779
0.00750511
0.0106721
0.0110096
0.0184338
0.0125934
0.0193537
0.0115967
0.00934876
0.007357
0.00546508
0.00458618
0.00684608
0.00861344
0.00766042
0.0105245
0.0102983
0.0190232
0.0389735
0.0341909
0.0153535
0.0161899
0.0125065
0.0100304
0.00939007
0.0115198
0.0149222
0.0184298
0.0161545
0.0113395
0.0206317
0.0228371
0.0207401
0.0179685
0.0154716
0.0188258
0.0174034
0.0134735
0.0137136
0.017499
0.0194057
0.0158268
0.0193273
0.0226229
0.0254772
0.022947
0.0214543
0.0212794
0.0221639
0.0235296
0.0250668
0.0274158
0.02988
0.0324567
0.032161
0.0292315
0.0263597
0.0254615
0.0287224
0.0319823
0.0352619
0.0351599
0.0351473
0.0379578
0.0408987
0.0439839
0.0447249
0.0414235
0.0382417
0.0385834
0.0419716
0.0454517
0.046192
0.0426005
0.0390735
0.0355815
0.0320927
0.0285739
0.0249894
0.0253059
0.029018
0.0326346
0.0335927
0.0300864
0.0265133
0.0283966
0.0315188
0.0347263
0.0379276
0.0370527
0.0361975
0.0397421
0.0433
0.0469001
0.0474327
0.0439513
0.0404979
0.0411335
0.0443586
0.0476147
0.0475581
0.0445766
0.0416399
0.0387387
0.0358789
0.0331503
0.0306758
0.0282504
0.0255615
0.0228427
0.0208211
0.0210126
0.0305583
0.0367587
0.0401798
0.0631347
0.0878623
0.0672183
0.0533344
0.0406095
0.035055
0.0319803
0.0269705
0.0258265
0.026516
0.0280544
0.0307675
0.0301762
0.0302225
0.0333404
0.0329849
0.033279
0.0350301
0.0348145
0.0351624
0.0364449
0.0397806
0.0467563
0.0552638
0.0480147
0.0428834
0.038846
0.0378805
0.0401757
0.043241
0.0398852
0.0381622
0.0370484
0.0367007
0.0368528
0.0368594
0.0361093
0.0359438
0.0361997
0.037047
0.0366528
0.0365678
0.0367936
0.0371375
0.0377177
0.0385514
0.0377637
0.0368525
0.0356581
0.0339614
0.0320289
0.0302902
0.0326712
0.0348068
0.0369887
0.0381363
0.0361486
0.0339908
0.0351519
0.0369731
0.0390319
0.0410144
0.0401451
0.0394166
0.0420125
0.0446792
0.0474075
0.0473816
0.0448333
0.0423867
0.0429833
0.0451747
0.0476032
0.0481319
0.0458806
0.0437959
0.0416765
0.0396046
0.0378454
0.0365599
0.0378145
0.0389959
0.0404354
0.0415409
0.0400508
0.0387805
0.0396371
0.0409653
0.0425196
0.044259
0.0432016
0.0422572
0.0444266
0.0467054
0.0489915
0.0497669
0.0473567
0.0451158
0.0461426
0.0481916
0.050502
0.0515092
0.0492482
0.0471379
0.0451954
0.0434231
0.0418349
0.0404475
0.039267
0.0382944
0.037526
0.0369441
0.0365442
0.0364158
0.0367449
0.0375129
0.0358901
0.0357874
0.0359824
0.0357301
0.0351766
0.0348202
0.0341535
0.0348287
0.0356369
0.0365598
0.0364591
0.0364548
0.037104
0.0378923
0.0388317
0.0393616
0.038273
0.0373102
0.0375759
0.0386801
0.03989
0.0404395
0.039113
0.03789
0.0367452
0.0356737
0.0346815
0.0337825
0.0336321
0.0346919
0.0358166
0.0360361
0.0348095
0.0336428
0.0337587
0.0350298
0.0363533
0.037726
0.0373326
0.0370013
0.038258
0.0395949
0.0410152
0.0416073
0.0401079
0.0386869
0.0391539
0.040648
0.0422177
0.0438718
0.0431957
0.0425306
0.0418741
0.0412216
0.0405846
0.0399391
0.0412209
0.0426729
0.0443031
0.0451792
0.0434898
0.0419589
0.0426912
0.0442972
0.0460411
0.047927
0.0470242
0.0461098
0.0480833
0.0502222
0.0525102
0.0534772
0.0511733
0.0490213
0.0499558
0.0521296
0.0544491
0.0554295
0.0530876
0.0508854
0.0488207
0.0468908
0.0450927
0.0434221
0.0441506
0.0458833
0.0477345
0.0485758
0.046673
0.0448818
0.0456183
0.0474645
0.049417
0.0514818
0.0505957
0.0497093
0.051812
0.0540462
0.056415
0.0574049
0.0550063
0.0527378
0.0536641
0.0559687
0.0583997
0.0609609
0.059937
0.058921
0.0579132
0.0569162
0.0559339
0.0549472
0.0539184
0.0530841
0.0522884
0.0513638
0.0506041
0.0501552
0.0500191
0.050205
0.0505877
0.0509135
0.0509623
0.0505686
0.0498759
0.049049
0.0481671
0.0472304
0.0462134
0.0450468
0.0434409
0.0414768
0.0394124
0.0419115
0.0441267
0.0470077
0.0446703
0.0476976
0.0501276
0.0525148
0.0492727
0.0462517
0.0480725
0.051314
0.0547909
0.0585299
0.0559953
0.0534959
0.0510033
0.0546034
0.0571304
0.0610515
0.058461
0.0618581
0.0652843
0.0682879
0.0638176
0.0597446
0.0625657
0.0669386
0.0716786
0.0767907
0.0731841
0.0698846
0.0645925
0.0674867
0.0749346
0.0805028
0.0705583
0.0738306
0.0866414
0.0906021
0.0842865
0.0785012
0.0822865
0.0882144
0.0946369
0.101626
0.0975125
0.0934053
0.0773299
0.0810878
0.100869
0.10913
0.085141
0.0895311
0.118318
0.122549
0.113402
0.105087
0.10925
0.117592
0.126763
0.131576
0.121914
0.1132
0.105277
0.0980322
0.0913765
0.0852328
0.0795369
0.0742413
0.0693182
0.0647486
0.0605074
0.0565628
0.0528835
0.0494417
0.0506578
0.0542881
0.0581457
0.0595702
0.0555654
0.0517727
0.0527885
0.0566956
0.0607959
0.065116
0.0638135
0.0622566
0.066649
0.0713527
0.0763978
0.0782693
0.073131
0.0683235
0.0696838
0.0745284
0.0796802
0.0803114
0.0753078
0.070557
0.0660404
0.0617368
0.0576239
0.0536783
0.0543293
0.0582031
0.0622083
0.0620094
0.0582383
0.0545595
0.0542644
0.0576745
0.0611498
0.0646942
0.0658803
0.0663608
0.0706731
0.0751538
0.0798059
0.0781092
0.0739329
0.0698549
0.0683092
0.0719952
0.0757506
0.0795722
0.0823733
0.0846257
0.0855821
0.0851695
0.0837742
0.0818157
0.0876443
0.0939341
0.100752
0.102935
0.096053
0.0896858
0.091027
0.0972841
0.103972
0.111118
0.110401
0.10818
0.116317
0.125286
0.135234
0.137055
0.127389
0.118527
0.118737
0.126819
0.135322
0.129286
0.122582
0.115915
0.109379
0.103043
0.0969519
0.0911286
0.0896011
0.0947108
0.099924
0.0955266
0.0911016
0.0867103
0.0834572
0.0874042
0.0914151
0.0954972
0.0999657
0.1052
0.110489
0.115734
0.12088
0.113252
0.108831
0.104403
0.0996645
0.103938
0.108349
0.112932
0.117686
0.125881
0.135907
0.144157
0.147575
0.146339
0.142414
0.136959
0.132659
0.12859
0.0942997
0.0994812
0.139803
0.149119
0.105104
0.11135
0.158682
0.170725
0.156402
0.143869
0.148496
0.161808
0.17713
0.194861
0.187469
0.169464
0.11836
0.126289
0.181706
0.195717
0.135331
0.145736
0.211886
0.260283
0.231222
0.207347
0.215642
0.240239
0.26956
0.304739
0.296181
0.230694
0.15783
0.172057
0.2527
0.278633
0.189085
0.210025
0.310407
0.41609
0.373398
0.338463
0.346492
0.395194
0.45156
0.514819
0.469073
0.350319
0.236439
0.270807
0.401982
0.471542
0.317367
0.384064
0.57029
0.748806
0.625514
0.536533
0.580058
0.637564
0.67566
0.453534
0.458137
0.45201
0.434341
0.407002
0.373479
0.337925
0.304379
0.274051
0.247131
0.223462
0.202768
0.184663
0.168744
0.15472
0.158781
0.172676
0.188063
0.1838
0.171092
0.158949
0.153179
0.162173
0.170858
0.178922
0.196751
0.204949
0.223271
0.242777
0.262939
0.232155
0.221507
0.209504
0.186083
0.192143
0.197053
0.171667
0.16773
0.163582
0.159029
0.153964
0.148371
0.142314
0.130708
0.135359
0.139864
0.131506
0.126753
0.122169
0.117732
0.122791
0.128153
0.133852
0.136504
0.144299
0.148776
0.153438
0.158445
0.15376
0.147559
0.141829
0.139914
0.146351
0.153157
0.160307
0.160471
0.163949
0.175649
0.200935
0.240897
0.282907
0.301342
0.316169
0.325373
0.252487
0.251079
0.247294
0.204055
0.20676
0.209459
0.212637
0.252416
0.32861
0.327096
0.322755
0.317401
0.25355
0.252284
0.252042
0.21674
0.221897
0.227856
0.219853
0.211695
0.203825
0.196602
0.190269
0.184756
0.179936
0.170066
0.17684
0.18425
0.183396
0.175363
0.167691
0.16775
0.175406
0.183188
0.191023
0.191699
0.192251
0.200746
0.209375
0.217978
0.216419
0.208353
0.20013
0.198782
0.206197
0.213473
0.209448
0.202861
0.196208
0.1892
0.182036
0.17483
0.16763
0.160495
0.15349
0.146665
0.140062
0.133714
0.127642
0.121861
0.116372
0.111167
0.106232
0.101542
0.0970735
0.0927996
0.0886959
0.0847403
0.0809141
0.0772022
0.0735927
0.0700765
0.0666461
0.0632943
0.0600187
0.056813
0.053671
0.0530773
0.0560285
0.0590643
0.0585724
0.0556094
0.0527599
0.0528358
0.0556492
0.0586005
0.0616933
0.061656
0.0621916
0.0654185
0.0687562
0.0722156
0.071725
0.0682211
0.0648683
0.0649364
0.068338
0.0719026
0.0724458
0.0688509
0.0654196
0.0621471
0.0590345
0.0560784
0.0532644
0.053946
0.0567534
0.0597135
0.0605174
0.057608
0.0549029
0.0557533
0.0585398
0.0614966
0.0645199
0.0636353
0.0628378
0.0661126
0.0695435
0.0731329
0.0738662
0.0703019
0.0668891
0.0677125
0.0711065
0.0746329
0.07832
0.0775869
0.076883
0.0762076
0.0756374
0.0753902
0.0758085
0.0795483
0.0834494
0.0875276
0.0874566
0.0832462
0.0792272
0.0795474
0.0836369
0.0879095
0.0923662
0.0918662
0.0917987
0.0962783
0.10098
0.105917
0.106331
0.101302
0.0964805
0.0970056
0.101825
0.10682
0.107187
0.102278
0.0975241
0.0929294
0.0884977
0.0842329
0.0801365
0.0807911
0.0848554
0.0890778
0.0896607
0.0854838
0.0814611
0.0821699
0.0861586
0.0903002
0.0945992
0.0939924
0.0934572
0.0979887
0.102669
0.107497
0.107864
0.103095
0.0984718
0.099044
0.103629
0.108358
0.108997
0.104296
0.0997361
0.0953095
0.0910283
0.0869197
0.0829617
0.0791074
0.0754563
0.0720206
0.0686594
0.0653943
0.062345
0.0593986
0.0565411
0.0575508
0.0602768
0.0631546
0.064185
0.0612844
0.0585413
0.0595299
0.0622888
0.0651974
0.0682441
0.0672313
0.0662734
0.0695341
0.0728606
0.0763485
0.0773121
0.073733
0.0703874
0.0714272
0.0747869
0.0783141
0.0793611
0.0758501
0.0724884
0.0692839
0.0662251
0.0633095
0.0605395
0.061566
0.0643519
0.0672804
0.0683584
0.0654114
0.062605
0.0636554
0.0664863
0.069456
0.0725672
0.0714477
0.0703523
0.0735707
0.0769405
0.0804579
0.0815964
0.0780663
0.0746828
0.0758229
0.0792251
0.0827734
0.0864687
0.0852717
0.0841169
0.0829996
0.0819316
0.0810009
0.0800508
0.0838832
0.0877803
0.0918445
0.0927922
0.0886979
0.0847695
0.0856959
0.0896958
0.0938405
0.0980795
0.0970801
0.0961283
0.100558
0.105094
0.109765
0.110638
0.106008
0.101509
0.102456
0.106981
0.111642
0.112742
0.108034
0.103467
0.0991151
0.0949038
0.0907751
0.0867931
0.0879275
0.0918993
0.0960174
0.0972051
0.0930792
0.0890984
0.090315
0.0943126
0.0984552
0.10274
0.101468
0.100258
0.104642
0.109196
0.113891
0.115127
0.110434
0.105877
0.10717
0.111745
0.116454
0.121285
0.119939
0.118697
0.117532
0.116428
0.115442
0.114585
0.11384
0.113229
0.112774
0.112467
0.112246
0.111983
0.111563
0.111094
0.116514
0.122171
0.128053
0.128366
0.122595
0.116989
0.117303
0.122769
0.128367
0.134082
0.134282
0.134141
0.140409
0.146831
0.153374
0.15268
0.146461
0.140321
0.139898
0.145797
0.151758
0.150941
0.145161
0.139434
0.133783
0.128225
0.122775
0.117445
0.117573
0.122804
0.128151
0.128259
0.122983
0.117818
0.118231
0.123351
0.128574
0.133888
0.133633
0.133601
0.139139
0.144744
0.150391
0.150138
0.144599
0.139087
0.139274
0.144706
0.150152
0.155573
0.155669
0.156048
0.156747
0.157758
0.158951
0.160006
0.166688
0.173376
0.180029
0.177747
0.171521
0.165244
0.163766
0.169743
0.175649
0.18143
0.183875
0.186604
0.192999
0.199067
0.205121
0.201057
0.195431
0.189803
0.18699
0.192261
0.19751
0.19453
0.189636
0.184678
0.179434
0.173942
0.168292
0.162545
0.161677
0.167231
0.172659
0.171763
0.166535
0.161151
0.160925
0.166155
0.171204
0.176001
0.176767
0.177895
0.182856
0.187525
0.192081
0.19011
0.185873
0.181471
0.180476
0.184635
0.188576
0.187458
0.18378
0.17984
0.175565
0.170947
0.166055
0.160959
0.155721
0.150395
0.14503
0.139667
0.13434
0.129076
0.123896
0.118812
0.119536
0.124593
0.12974
0.130551
0.125432
0.120386
0.121357
0.126405
0.131502
0.136634
0.135729
0.13496
0.140237
0.145543
0.15084
0.151471
0.146228
0.140964
0.141835
0.147075
0.152282
0.15327
0.148094
0.142887
0.137686
0.132526
0.127432
0.122426
0.123587
0.128564
0.133667
0.134978
0.129865
0.124854
0.126225
0.131268
0.136403
0.141607
0.14017
0.138869
0.144083
0.149277
0.154448
0.155798
0.150608
0.145389
0.146846
0.152092
0.157307
0.162439
0.160893
0.159546
0.15839
0.157423
0.156654
0.156085
0.161228
0.166211
0.170972
0.171267
0.166614
0.161722
0.162443
0.167265
0.17183
0.176086
0.175614
0.175439
0.179546
0.183296
0.186745
0.186428
0.183173
0.179585
0.179965
0.183433
0.186496
0.186978
0.184092
0.180695
0.176855
0.172656
0.168163
0.163389
0.16451
0.169269
0.173751
0.175135
0.170624
0.165846
0.167436
0.172251
0.176793
0.180938
0.179284
0.177935
0.181773
0.18514
0.187902
0.1893
0.186534
0.183098
0.184722
0.188226
0.191101
0.192813
0.191032
0.189757
0.189
0.188715
0.188834
0.189359
0.190343
0.191796
0.193722
0.196145
0.199102
0.202643
0.206806
0.211558
0.216685
0.221665
0.225685
0.228123
0.22998
0.23618
0.257485
0.313953
0.443512
0.693484
0.92992
0.720643
0.487266
0.6654
0.970704
1.43334
1.01838
1.24609
1.13609
0.706343
0.722143
0.445109
0.439386
0.317158
0.326497
0.279008
0.266554
0.248346
0.261568
0.254496
0.242779
0.239788
0.248942
0.242218
0.235546
0.229757
0.234406
0.226393
0.223279
0.216932
0.218902
0.212289
0.211178
0.206181
0.206637
0.201897
0.201942
0.198404
0.197977
0.194789
0.195504
0.193192
0.192263
0.190343
0.191431
0.190203
0.188985
0.188163
0.189501
0.189285
0.187885
0.188101
0.189496
0.190164
0.188765
0.189902
0.19133
0.193015
0.191519
0.193632
0.19521
0.195045
0.193262
0.190284
0.186753
0.182936
0.178706
0.174106
0.169237
0.16418
0.158997
0.15374
0.148454
0.143178
0.137941
0.132773
0.127696
0.122725
0.117868
0.113133
0.108532
0.104075
0.0997637
0.0955974
0.0915775
0.0877074
0.0839876
0.0804156
0.0769899
0.0737095
0.0705726
0.0675762
0.0647175
0.0619933
0.0594002
0.0569347
0.0545927
0.0523696
0.0502605
0.0482599
0.0463617
0.0445595
0.0428462
0.0412142
0.0396555
0.038162
0.0367242
0.0353362
0.0339939
0.0326934
0.031435
0.0302264
0.029039
0.0278733
0.0267446
0.0256606
0.0246535
0.0237058
0.0234799
0.0225477
0.0224167
0.0224571
0.0214283
0.0215443
0.0205257
0.0195578
0.0186618
0.0178271
0.0171362
0.0169724
0.0178175
0.0187302
0.0189271
0.0179798
0.0170675
0.017302
0.0182343
0.0191994
0.0202162
0.0199138
0.0196943
0.0206968
0.0217346
0.0228221
0.0226043
0.0236989
0.0235332
0.02344
0.0245282
0.0245102
0.025594
0.0267336
0.0268226
0.0256594
0.0258015
0.0246472
0.0248477
0.0251552
0.023962
0.0243144
0.0231482
0.022012
0.0209377
0.0212857
0.0223938
0.0235342
0.024708
0.0259184
0.0255154
0.0267519
0.0263788
0.0260511
0.0272988
0.027008
0.0282659
0.0280283
0.0279063
0.0291029
0.0303428
0.0316256
0.0319035
0.0305782
0.029282
0.0295576
0.0308811
0.0322409
0.0326293
0.0312385
0.0298891
0.0285747
0.0289347
0.0276396
0.0280268
0.0284538
0.0271667
0.027617
0.0263595
0.025141
0.0239605
0.0228139
0.0217052
0.0206277
0.0195765
0.0185704
0.0176149
0.0180283
0.0190184
0.0200358
0.0205332
0.0195199
0.0185403
0.0190866
0.0200585
0.0210636
0.0221024
0.0215764
0.0210829
0.0221608
0.0232724
0.0244237
0.0249184
0.0237666
0.0226533
0.0231775
0.0242886
0.0254392
0.0259821
0.0248341
0.0237273
0.0226596
0.0216255
0.0206277
0.0196673
0.0187371
0.019364
0.0184829
0.0191537
0.0183299
0.0175399
0.0182806
0.0190447
0.0198441
0.0205449
0.019775
0.0190428
0.0183593
0.0177172
0.0171218
0.0165684
0.017484
0.017029
0.0179852
0.0176471
0.0173811
0.0171899
0.0183099
0.0184383
0.0186474
0.0196146
0.0194618
0.019395
0.0194337
0.0195849
0.0198681
0.0203067
0.0216196
0.0211056
0.0207528
0.0218536
0.0222705
0.0228508
0.0239926
0.0233519
0.0228763
0.0225391
0.0215739
0.0205353
0.020434
0.0204441
0.0205433
0.0214169
0.0213707
0.0214159
0.0223305
0.0222316
0.0222294
0.0223243
0.0215545
0.0207232
0.0198466
0.0189334
0.0192876
0.0183886
0.0188487
0.0179929
0.0185528
0.0193686
0.0201828
0.0197037
0.0205279
0.0201546
0.0209841
0.0213139
0.0217093
0.0209651
0.0214596
0.0207111
0.019932
0.0191515
0.0197993
0.0204992
0.0212443
0.0219364
0.0212181
0.0205495
0.0212938
0.0219285
0.0226145
0.0232664
0.0226089
0.0220062
0.0226818
0.0221665
0.0228392
0.022417
0.0220601
0.0217722
0.0224988
0.0227486
0.0230723
0.0234647
0.0239191
0.0233228
0.0238654
0.0232551
0.0238832
0.0244675
0.0250082
0.0244319
0.0249475
0.0244599
0.0240351
0.0236741
0.0233868
0.0231734
0.0230367
0.0229831
0.0230246
0.0231679
0.0234244
0.0238124
0.0243407
0.0250357
0.025976
0.0252334
0.0246569
0.0253979
0.0260157
0.0268043
0.027515
0.0266912
0.0260406
0.0255351
0.0249243
0.024222
0.0239209
0.0237353
0.0236533
0.0242443
0.0243642
0.0245839
0.0251614
0.0249112
0.024764
0.0251621
0.0253296
0.0256086
0.026009
0.0265464
0.0272281
0.028078
0.0284735
0.0276018
0.0268982
0.0271353
0.02785
0.0287324
0.0265714
0.0263429
0.0259284
0.0256324
0.0254472
0.0256407
0.0258349
0.0261444
0.0255478
0.0253635
0.0250941
0.0247193
0.0242277
0.0236697
0.0237727
0.0239554
0.0242138
0.0246929
0.0244566
0.0243008
0.0247648
0.0248946
0.025105
0.0253889
0.024999
0.0245485
0.0249501
0.0254145
0.0259441
0.0254999
0.0261111
0.0256409
0.0251264
0.0245694
0.0239753
0.0233502
0.0226999
0.0220332
0.0213581
0.0206824
0.0200147
0.0209107
0.0202781
0.0212274
0.0222148
0.0228177
0.0218444
0.0224757
0.021559
0.0222136
0.0228664
0.0237442
0.0231115
0.0240524
0.0234332
0.0244316
0.0238287
0.0232373
0.024296
0.0253985
0.0265426
0.0271155
0.0259755
0.0248785
0.0254731
0.0265619
0.0276947
0.0288742
0.0282985
0.027728
0.0271691
0.0266269
0.0261054
0.0256086
0.026833
0.0280973
0.0294029
0.0289142
0.0302529
0.0297804
0.0293391
0.0306918
0.0302696
0.0316421
0.0330586
0.0335237
0.0320848
0.0325593
0.0311486
0.0316347
0.0321459
0.0307518
0.0312735
0.0299157
0.0286031
0.0273336
0.0278575
0.029131
0.0304495
0.0318152
0.0332302
0.0326785
0.0341327
0.033587
0.0330612
0.0345372
0.0340178
0.0355213
0.0350035
0.0345135
0.0340581
0.0336393
0.0332666
0.0329479
0.0343028
0.0356989
0.0371424
0.037601
0.0361093
0.0346674
0.0350786
0.0365629
0.0380984
0.0396874
0.0391472
0.0386375
0.0401883
0.041804
0.043492
0.0441546
0.0424157
0.0407489
0.0413343
0.0430476
0.0448331
0.0455273
0.0436983
0.0419422
0.0402535
0.0386233
0.0370515
0.0355316
0.0360175
0.0375718
0.039177
0.0397542
0.0381175
0.0365346
0.0370754
0.0386855
0.0403539
0.0420863
0.0414556
0.0408438
0.0425708
0.0443666
0.0462365
0.0469603
0.0450516
0.0432182
0.0438826
0.0457516
0.0476978
0.0497258
0.0489496
0.0481857
0.0474349
0.046697
0.0459719
0.0452595
0.0471135
0.0490609
0.0511081
0.0519612
0.0498689
0.0478746
0.0486456
0.050685
0.0528213
0.0550603
0.0541574
0.0532609
0.0555251
0.0579057
0.0604075
0.0614228
0.0588831
0.0564629
0.0574074
0.0598681
0.0624471
0.0634814
0.0608617
0.0583599
0.0559709
0.0536895
0.0515102
0.0494273
0.0502201
0.0523454
0.054567
0.0554552
0.0531915
0.0510248
0.051841
0.0540488
0.0563545
0.0587634
0.0578212
0.0568907
0.0593218
0.0618656
0.0645272
0.0655865
0.0628818
0.060295
0.0612808
0.0639119
0.0666617
0.0677523
0.0649551
0.062278
0.0597158
0.0572633
0.0549155
0.0526669
0.0505124
0.0484466
0.0464645
0.044561
0.0427312
0.0409724
0.0392756
0.0376373
0.0360615
0.0366227
0.0350783
0.0356387
0.0362174
0.0346968
0.035279
0.0337999
0.0323749
0.0310017
0.0296777
0.0284011
0.0289604
0.0302398
0.0315689
0.0321463
0.0308125
0.0295307
0.0301054
0.0313889
0.0327271
0.0341226
0.0335346
0.0329496
0.0343848
0.0358767
0.0374283
0.0368147
0.0384128
0.0377977
0.0372023
0.0388214
0.0382215
0.0398823
0.0416044
0.0422486
0.0405017
0.0411377
0.039437
0.0400716
0.0407236
0.0390448
0.0396888
0.0380531
0.0364853
0.0349801
0.0355781
0.0370969
0.038682
0.0403377
0.0420643
0.0413903
0.0431666
0.042473
0.0417944
0.0435919
0.04291
0.0447532
0.0440632
0.0433907
0.0452517
0.0471878
0.0492044
0.0499706
0.0479209
0.0459536
0.0466706
0.0486681
0.0507501
0.0515549
0.0494389
0.0474094
0.0454627
0.0461985
0.0442995
0.0450228
0.0457566
0.0438681
0.0445577
0.0427226
0.0409749
0.0393018
0.0376994
0.0361685
0.0347039
0.0333024
0.031961
0.0306769
0.0294476
0.0282714
0.0271467
0.0260697
0.0250383
0.0256377
0.0246675
0.0252719
0.0243669
0.0235098
0.0241358
0.0249713
0.0258571
0.026794
0.0262259
0.02723
0.0266559
0.027723
0.0288406
0.0293934
0.0282853
0.0288254
0.027783
0.028309
0.0273358
0.0264165
0.0255504
0.0247368
0.0253073
0.0260983
0.0269447
0.0274374
0.0266118
0.0258412
0.0263322
0.0270841
0.0278914
0.0287573
0.0283211
0.0278462
0.0288033
0.0298176
0.0293376
0.0304232
0.0299228
0.0310774
0.0305568
0.0300112
0.031237
0.0325201
0.033863
0.0344
0.0330576
0.0317774
0.0322911
0.0335664
0.0349061
0.036313
0.0358076
0.0352687
0.0367401
0.0382818
0.0398938
0.0404524
0.0388316
0.0372834
0.0377905
0.0393418
0.0409712
0.0414398
0.0398083
0.0382563
0.0367803
0.0353765
0.0340417
0.032773
0.0315676
0.0320237
0.0308904
0.0313214
0.0302617
0.0292621
0.0296825
0.0306675
0.0317141
0.0328237
0.0324429
0.0336283
0.0332194
0.0344801
0.0358083
0.0362004
0.03488
0.0352405
0.0339984
0.0343292
0.0331651
0.0320671
0.0310333
0.0300622
0.0291523
0.0283036
0.0275111
0.0267782
0.0271819
0.0265325
0.0268968
0.0263256
0.025815
0.0253728
0.0257438
0.0261679
0.0266606
0.0269207
0.0264434
0.0260324
0.0256903
0.0254217
0.0252302
0.0251193
0.0253736
0.0254708
0.0256494
0.0258095
0.0256383
0.0255493
0.0260582
0.0259051
0.0262344
0.0266345
0.0271024
0.0272373
0.0267749
0.026381
0.0277655
0.0276364
0.0274638
0.0272171
0.0278381
0.0275342
0.0282333
0.0278967
0.0286701
0.0289897
0.0292643
0.0285209
0.0287425
0.0280713
0.0282357
0.0288972
0.0296284
0.0294798
0.0302783
0.0300731
0.0298104
0.0295038
0.0303996
0.0313578
0.0323796
0.0326511
0.0316401
0.0306937
0.0309445
0.0318801
0.0328823
0.033062
0.0320711
0.0311403
0.0312761
0.0304201
0.030529
0.0297414
0.0290181
0.0283626
0.0313815
0.0322987
0.032201
0.0331861
0.0332847
0.0343374
0.0342432
0.0341236
0.0339497
0.0337282
0.0334667
0.0346207
0.035844
0.0355617
0.0368651
0.0365526
0.0379374
0.0375926
0.037207
0.0386796
0.0402295
0.0418606
0.0422337
0.0406057
0.0390599
0.0393983
0.0409387
0.0425622
0.0428485
0.0412303
0.0396961
0.0382422
0.0385083
0.037139
0.0373747
0.0360877
0.0348729
0.0350851
0.0362919
0.0375719
0.0389275
0.0387367
0.0401767
0.0399552
0.041483
0.0430953
0.0433042
0.041698
0.0418783
0.0403618
0.0405093
0.0390809
0.0377311
0.036457
0.0352567
0.0353678
0.0365635
0.0378351
0.0379166
0.0366524
0.0354551
0.0392611
0.0391815
0.0406071
0.0421144
0.0420205
0.0436137
0.0434813
0.0451743
0.0450007
0.0447963
0.0445545
0.044273
0.043948
0.0435771
0.0431563
0.0426839
0.0421588
0.0415814
0.0433545
0.0452172
0.047164
0.046477
0.0484838
0.047728
0.0469559
0.0489752
0.048178
0.0502434
0.0523982
0.0532841
0.0510832
0.0519432
0.0497881
0.0505885
0.0513472
0.0492029
0.0498615
0.0477915
0.0458239
0.0439509
0.0444797
0.046367
0.0483582
0.0504509
0.0526504
0.0520389
0.0543271
0.0535975
0.0527932
0.0551034
0.0541973
0.0565546
0.0555822
0.0546463
0.0537619
0.0529215
0.0521077
0.0513066
0.0534994
0.0557881
0.0581778
0.0590951
0.0566648
0.0543374
0.055187
0.0575517
0.0600211
0.0626003
0.0616337
0.0606739
0.0632815
0.066006
0.0688526
0.0699533
0.0670574
0.064286
0.0652951
0.0681109
0.0710535
0.0721777
0.0691917
0.0663334
0.0635971
0.0609771
0.058468
0.0560647
0.0569923
0.0594406
0.0619959
0.0631029
0.0604874
0.0579819
0.0590196
0.0615967
0.0642902
0.0671041
0.0658327
0.064663
0.0674468
0.0703524
0.0733851
0.0747485
0.0716513
0.0686807
0.070042
0.0731072
0.0763028
0.077995
0.0746625
0.071472
0.0684207
0.0655047
0.0627199
0.0600615
0.0575244
0.0584421
0.0559603
0.0567337
0.0574058
0.0549663
0.055513
0.0531779
0.0509631
0.048859
0.0468602
0.0449622
0.0453877
0.0472891
0.0492906
0.0496634
0.0476591
0.0457569
0.0460791
0.0479792
0.0499823
0.0520977
0.0517793
0.0514033
0.0536274
0.0559737
0.0584486
0.0579748
0.0605717
0.0599769
0.0592665
0.0619329
0.0610491
0.063788
0.0666654
0.0676989
0.064741
0.0655481
0.062688
0.0633127
0.0638199
0.0610609
0.0614592
0.0588394
0.0563582
0.0540071
0.0543254
0.0566773
0.0591599
0.0617817
0.0645522
0.0642271
0.0671534
0.0667358
0.0662078
0.0692676
0.068567
0.0717551
0.0708154
0.0696876
0.072861
0.0761912
0.0796831
0.0812028
0.0775587
0.074099
0.0751235
0.0786836
0.0824477
0.0833993
0.0795553
0.0759282
0.0725035
0.0730839
0.0698198
0.0702495
0.0705815
0.0674817
0.0677388
0.0648109
0.0620419
0.0594217
0.0569409
0.0545911
0.0523657
0.0502527
0.0482527
0.0463565
0.0465941
0.0484841
0.0504794
0.0506712
0.048676
0.0467886
0.0469566
0.0488426
0.0508315
0.0529247
0.0527744
0.0525895
0.0548114
0.0571575
0.0596346
0.0598066
0.0573341
0.0549924
0.0551387
0.0574761
0.0599438
0.0600467
0.0575831
0.0552503
0.0530395
0.0509443
0.04896
0.0470798
0.0452972
0.0453919
0.0437083
0.043785
0.0421898
0.0406842
0.04547
0.0472448
0.0471704
0.0490471
0.0510291
0.0510986
0.0491188
0.0531847
0.0531215
0.0553285
0.0576584
0.060119
0.0601759
0.0577181
0.05539
0.0627726
0.0627176
0.0626485
0.0625504
0.0624183
0.062251
0.065016
0.0679397
0.0710331
0.070837
0.0741176
0.0738639
0.0735276
0.0770013
0.0765416
0.0802073
0.0840973
0.0845978
0.0806859
0.0810328
0.0773426
0.0775943
0.0777789
0.0743083
0.0744514
0.0711833
0.0680962
0.0651781
0.0653047
0.0682169
0.0712974
0.0745581
0.078012
0.0779138
0.0815852
0.0814595
0.081282
0.0851974
0.0849512
0.0891165
0.0887555
0.0882292
0.0874763
0.0864282
0.0850392
0.0833405
0.0814715
0.0796314
0.0779767
0.0765506
0.0752976
0.0741286
0.0729791
0.0718261
0.0706745
0.0695352
0.0684142
0.0673113
0.0662238
0.0651493
0.0640866
0.0630348
0.0657917
0.0686817
0.0717082
0.0728631
0.0698029
0.0668786
0.067979
0.0709404
0.0740373
0.0772733
0.0760625
0.0748746
0.0781837
0.0816376
0.0852379
0.0865242
0.0828908
0.0794043
0.0806516
0.084175
0.0878459
0.0892026
0.0854899
0.0819256
0.078507
0.075231
0.0720944
0.0690933
0.0702227
0.0732659
0.076445
0.0776817
0.0744574
0.0713697
0.0725373
0.0756724
0.0789452
0.0823598
0.0810467
0.079764
0.0832264
0.0868355
0.0905941
0.0920224
0.0882137
0.0845562
0.0859201
0.08963
0.0934927
0.0975111
0.0959848
0.0945048
0.0930658
0.0916663
0.0903064
0.0889867
0.0928854
0.0969338
0.10113
0.102554
0.0983215
0.0942388
0.0956376
0.0997603
0.104034
0.108459
0.106935
0.105473
0.109963
0.114596
0.119364
0.120945
0.116136
0.111463
0.113033
0.117752
0.122611
0.124362
0.119445
0.114672
0.110046
0.105571
0.10125
0.0970813
0.0985694
0.102789
0.107164
0.108813
0.104379
0.100103
0.101688
0.106025
0.110524
0.115185
0.113406
0.111695
0.116379
0.121216
0.126199
0.128121
0.123063
0.118157
0.120007
0.12499
0.130131
0.132239
0.127009
0.121943
0.117042
0.112307
0.107738
0.103334
0.0990933
0.0950132
0.091091
0.0873236
0.0837074
0.0802386
0.076913
0.0737265
0.0749317
0.078174
0.0815575
0.0828861
0.0794405
0.0761398
0.0773419
0.080699
0.0842054
0.0878662
0.086481
0.0850867
0.0887656
0.0925981
0.0965877
0.0982028
0.0941356
0.0902296
0.0916864
0.0956703
0.0998219
0.101408
0.0971776
0.0931234
0.0892403
0.0855224
0.0819636
0.0785574
0.079855
0.0833047
0.0869066
0.0884969
0.0848454
0.0813406
0.0830954
0.0866973
0.0904397
0.094326
0.0923019
0.0906681
0.0945968
0.0987006
0.102988
0.10472
0.100404
0.0962679
0.0983606
0.102549
0.106901
0.111425
0.109226
0.107465
0.10582
0.104145
0.102434
0.100738
0.105051
0.10953
0.114178
0.116141
0.111401
0.106833
0.108641
0.113314
0.118165
0.123195
0.121053
0.118995
0.123982
0.12914
0.134467
0.136841
0.131403
0.126141
0.128405
0.133795
0.139366
0.141989
0.13625
0.130702
0.125344
0.120178
0.115203
0.110417
0.11214
0.117019
0.122107
0.124002
0.118856
0.113934
0.116135
0.121046
0.126178
0.131547
0.129381
0.127405
0.132917
0.138641
0.144575
0.146981
0.140868
0.135002
0.137174
0.143074
0.149263
0.155749
0.15334
0.150716
0.147915
0.145118
0.142453
0.139963
0.13763
0.135425
0.133326
0.131324
0.129416
0.127603
0.125884
0.124258
0.129269
0.134387
0.139599
0.141379
0.136113
0.130943
0.13272
0.137951
0.143282
0.148693
0.146719
0.144882
0.150209
0.155549
0.160868
0.162919
0.157522
0.15211
0.154162
0.159659
0.165152
0.167573
0.161966
0.156366
0.150805
0.14531
0.139902
0.1346
0.136583
0.141968
0.147464
0.149747
0.144149
0.138672
0.140866
0.146448
0.15216
0.157988
0.15545
0.153057
0.158724
0.164443
0.170183
0.172987
0.167095
0.16124
0.163916
0.169924
0.175988
0.182077
0.178883
0.175908
0.173148
0.1706
0.168258
0.166119
0.171252
0.176203
0.180892
0.183355
0.178548
0.173489
0.175952
0.181146
0.186102
0.190728
0.187817
0.185226
0.189146
0.192777
0.195865
0.198918
0.195685
0.191893
0.194994
0.19899
0.20243
0.206412
0.202693
0.198452
0.193968
0.18914
0.184002
0.178645
0.181573
0.187121
0.192476
0.196115
0.190509
0.184741
0.188154
0.194173
0.200065
0.205722
0.201457
0.197542
0.202277
0.206809
0.210878
0.215839
0.211348
0.206481
0.211073
0.21632
0.221312
0.227308
0.221736
0.216065
0.210346
0.204334
0.198119
0.191819
0.185497
0.179193
0.172937
0.166758
0.160676
0.15471
0.148873
0.143177
0.145623
0.151443
0.157416
0.160313
0.154193
0.148238
0.151048
0.157157
0.163443
0.1699
0.166592
0.163533
0.169782
0.176149
0.182615
0.186284
0.17959
0.173021
0.176526
0.183314
0.190253
0.194582
0.187372
0.180338
0.173486
0.166816
0.16033
0.15403
0.157062
0.163609
0.170354
0.173842
0.166777
0.159941
0.162537
0.169625
0.177008
0.184675
0.18113
0.177295
0.184432
0.191766
0.199298
0.204305
0.196361
0.188637
0.192618
0.200828
0.209298
0.218029
0.21247
0.207028
0.201963
0.197331
0.193085
0.189157
0.195749
0.20236
0.208934
0.213889
0.206922
0.199971
0.204534
0.21185
0.219245
0.226583
0.220742
0.215345
0.221474
0.227611
0.233844
0.240944
0.233969
0.227326
0.233667
0.240853
0.248643
0.257007
0.248336
0.240573
0.23294
0.225073
0.217217
0.209508
0.214957
0.2231
0.231458
0.238447
0.229516
0.220866
0.227025
0.236314
0.245943
0.255836
0.247551
0.239906
0.248144
0.25652
0.26613
0.276126
0.265519
0.256479
0.265594
0.275383
0.287039
0.298728
0.285963
0.275288
0.264462
0.253573
0.243059
0.23296
0.22322
0.213821
0.20477
0.19608
0.187763
0.179831
0.17229
0.165138
0.158362
0.151943
0.145852
0.140057
0.134525
0.129222
0.124121
0.119197
0.114434
0.109821
0.105349
0.101016
0.0968229
0.0927701
0.0888596
0.085093
0.0871659
0.0911596
0.09532
0.0977627
0.093315
0.0890748
0.0906378
0.0950886
0.099792
0.104758
0.102418
0.099643
0.104122
0.108748
0.113509
0.117559
0.112328
0.107276
0.109992
0.115497
0.121268
0.124071
0.117849
0.111987
0.106471
0.101281
0.0963986
0.0918034
0.0926226
0.0972993
0.102283
0.102923
0.0978935
0.0931798
0.0935495
0.0982736
0.103315
0.108705
0.108297
0.1076
0.11328
0.119353
0.125853
0.12684
0.120215
0.114048
0.114476
0.120667
0.127326
0.134503
0.13397
0.132813
0.130664
0.127292
0.122949
0.118396
0.123398
0.128509
0.133731
0.139792
0.134095
0.128471
0.133545
0.139989
0.146576
0.153243
0.145536
0.139073
0.144558
0.150219
0.156103
0.162989
0.157121
0.151312
0.159922
0.166548
0.173069
0.185008
0.176861
0.16866
0.160539
0.15261
0.144955
0.13763
0.140269
0.148247
0.156767
0.158964
0.149971
0.141661
0.142261
0.150672
0.15982
0.169803
0.168703
0.165831
0.175413
0.185444
0.195805
0.202865
0.190633
0.179247
0.180734
0.192736
0.205937
0.206475
0.193044
0.180937
0.169966
0.159974
0.150831
0.14243
0.134684
0.127519
0.120871
0.114688
0.108925
0.103543
0.0985071
0.0937879
0.0893592
0.0895188
0.0853667
0.0854817
0.0855589
0.0816736
0.0817328
0.0780799
0.0746335
0.0713793
0.0683048
0.0653978
0.0654638
0.0683666
0.0714365
0.0714825
0.0684158
0.0655165
0.0747279
0.0746854
0.0781262
0.0817733
0.0856415
0.0856082
0.0897237
0.0896857
0.0896213
0.0940243
0.0939362
0.0986421
0.103662
0.103713
0.0987132
0.0987452
0.0940737
0.0940986
0.0941136
0.0897485
0.0897719
0.0856706
0.0818074
0.0781647
0.0941307
0.0987684
0.0987587
0.0987549
0.103717
0.103725
0.109042
0.109054
0.109026
0.114767
0.120924
0.127542
0.127472
0.120893
0.114768
0.114728
0.12082
0.127361
0.127246
0.120739
0.114675
0.109014
0.108989
0.103708
0.103709
0.10898
0.114613
0.114633
0.120676
0.127158
0.12711
0.120643
0.134061
0.134128
0.134245
0.134398
0.134555
0.134671
0.142374
0.150721
0.1598
0.159483
0.150485
0.142203
0.141991
0.150206
0.159126
0.168844
0.169299
0.169715
0.180594
0.192596
0.205918
0.205021
0.191898
0.180053
0.179477
0.191168
0.204095
0.203299
0.190533
0.178968
0.168437
0.158801
0.14995
0.14179
0.141639
0.149759
0.15856
0.158417
0.149646
0.141552
0.167955
0.168134
0.178593
0.190069
0.202723
0.202376
0.189791
0.17837
0.216325
0.216756
0.217478
0.218483
0.219664
0.22081
0.221453
0.220453
0.215883
0.206313
0.19296
0.179463
0.168964
0.162267
0.168769
0.175672
0.18303
0.188372
0.181555
0.175121
0.185749
0.191995
0.198319
0.204882
0.195683
0.190884
0.199264
0.208182
0.217637
0.221491
0.212171
0.203589
0.211868
0.219469
0.227864
0.241004
0.234039
0.227524
0.221147
0.214641
0.207818
0.20059
0.216729
0.226772
0.236174
0.25753
0.243551
0.229535
0.236364
0.253662
0.272197
0.291605
0.270964
0.244732
0.252379
0.259227
0.265572
0.303251
0.294148
0.283317
0.31126
0.33029
0.347699
0.362603
0.31075
0.271853
0.248745
0.237202
0.231582
0.227618
0.238108
0.249107
0.26066
0.266601
0.254119
0.242457
0.247598
0.259132
0.271884
0.285881
0.279896
0.272752
0.284933
0.296793
0.310892
0.322906
0.307091
0.29359
0.300801
0.316068
0.333766
0.343249
0.324184
0.308007
0.292933
0.279446
0.267714
0.257561
0.278587
0.286313
0.295573
0.329469
0.323038
0.317103
0.374513
0.383545
0.390507
0.396657
0.337331
0.306843
0.320214
0.335373
0.354243
0.375057
0.35884
0.347116
0.402943
0.409833
0.421139
0.516613
0.508931
0.503155
0.493621
0.480032
0.462004
0.439372
0.412994
0.384486
0.355587
0.327715
0.301778
0.278204
0.257067
0.238229
0.237585
0.256631
0.278415
0.2763
0.254839
0.236135
0.234619
0.252881
0.273772
0.297973
0.301201
0.303472
0.332354
0.365523
0.403156
0.406106
0.364979
0.330409
0.32641
0.360339
0.401439
0.395051
0.355322
0.322599
0.295106
0.271606
0.251226
0.233338
0.232426
0.250061
0.270088
0.269208
0.249377
0.231886
0.291927
0.293086
0.319853
0.351529
0.38979
0.386554
0.349309
0.318278
0.432353
0.437159
0.444319
0.451873
0.454969
0.444884
0.489512
0.534953
0.578647
0.652502
0.578547
0.512414
0.514254
0.591504
0.686699
0.80272
0.732303
0.618142
0.650731
0.673633
0.693142
0.969646
0.890849
0.813772
0.940476
1.09942
1.29985
1.59672
1.2491
1.0124
0.830846
0.692192
0.587073
0.506692
0.497472
0.57665
0.684053
0.672947
0.566959
0.490419
0.828143
0.834185
1.04755
1.35856
1.88063
2.19606
1.45531
1.06653
3.98091
2.99937
2.22594
1.60924
1.08064
0.728002
0.536958
0.443564
0.400765
0.38093
0.368643
0.356706
0.343181
0.328584
0.314028
0.300227
0.287472
0.275855
0.2653
0.255683
0.2469
0.238878
0.231569
0.224937
0.218949
0.213578
0.208796
0.204575
0.200893
0.197726
0.197894
0.196255
0.199405
0.201096
0.204848
0.203108
0.207401
0.209182
0.214134
0.212328
0.217941
0.219742
0.226055
0.224302
0.231484
0.233123
0.241002
0.23957
0.248659
0.249758
0.25947
0.258871
0.270359
0.270243
0.282215
0.283316
0.297978
0.295557
0.310444
0.314622
0.333497
0.326988
0.344918
0.354504
0.377026
0.363421
0.38132
0.400033
0.422357
0.397688
0.413508
0.444133
0.469955
0.434799
0.476852
0.513962
0.608761
0.571002
0.780317
0.827785
1.34686
1.22655
2.07205
2.58244
5.32566
3.48756
5.53324
13.4525
14.4892
9.88849
0.0135549
0.0196463
0.0172181
0.0211306
0.0139404
0.00557898
0.00257406
0.00458289
0.00195558
0.00364222
0.00225114
0.00442763
0.00560118
0.0169769
0.00491617
0.00459287
0.0125304
0.00462027
0.00094745
0.00273649
0.00413852
0.00344471
0.00255291
0.00240272
0.0153257
0.0467496
0.109869
0.159552
0.064224
0.0195822
0.0268447
0.0479074
0.173027
0.0945037
0.2397
0.920518
0.764132
0.429991
1.43142
2.38006
3.57532
2.71479
1.42573
0.735602
0.451598
0.338152
0.291438
0.269975
0.25678
0.245578
0.234822
0.224655
0.215496
0.207578
0.200918
0.195409
0.190902
0.187251
0.184336
0.182066
0.180372
0.179203
0.178521
0.178289
0.178516
0.179184
0.180254
0.18174
0.183651
0.185993
0.188781
0.192037
0.195793
0.200084
0.204957
0.21047
0.216695
0.223719
0.231654
0.240641
0.250861
0.262554
0.276022
0.291632
0.309775
0.330796
0.354855
0.381794
0.411241
0.443338
0.480862
0.533946
0.629279
0.832193
1.32895
2.82677
7.82021
28.1
)
;
boundaryField
{
bottomEmptyFaces
{
type empty;
}
topEmptyFaces
{
type empty;
}
inlet
{
type calculated;
value nonuniform List<scalar>
70
(
17.2917
11.1348
10.1095
2.6183
1.13918
0.664993
0.484541
0.40099
0.355493
0.325471
0.302109
0.282039
0.264237
0.248433
0.23453
0.22239
0.211805
0.202541
0.194379
0.187135
0.180667
0.174869
0.169661
0.164983
0.16079
0.157043
0.153713
0.150774
0.148208
0.145997
0.144129
0.142596
0.141392
0.140511
0.13996
0.139741
0.139858
0.140328
0.141165
0.142395
0.144051
0.146181
0.14885
0.152139
0.15615
0.160987
0.166735
0.173427
0.181054
0.189711
0.200018
0.214146
0.23823
0.288131
0.405372
0.71379
1.61613
4.05052
6.60534
4.85268
1.4566
3.10669
0.603872
0.303233
0.166582
0.0771712
6.77876
0.00012218
0.0108185
0.0361125
)
;
}
outlet
{
type calculated;
value nonuniform List<scalar>
35
(
1.28562
1.25495
1.20579
1.13736
1.05384
0.95805
0.856669
0.75266
0.650089
0.551297
0.458669
0.373978
0.298644
0.233537
0.179043
0.134944
0.100683
0.0748651
0.056156
0.0425167
0.0326315
0.0250063
0.0116528
0.0159896
0.010485
0.00774043
0.00285619
0.00449472
0.0025394
0.00170302
0.0010546
4.53084e-05
0.00034472
0.000629064
1.30006
)
;
}
walls
{
type nutkWallFunction;
blending stepwise;
Cmu 0.09;
kappa 0.41;
E 9.8;
value nonuniform List<scalar>
681
(
8.76812e-06
8.80461e-06
8.79474e-06
8.83716e-06
8.82786e-06
8.87055e-06
8.86177e-06
8.90412e-06
8.89577e-06
8.93806e-06
8.93007e-06
8.97165e-06
8.96393e-06
9.00497e-06
8.99743e-06
9.03759e-06
9.03008e-06
9.06906e-06
9.06161e-06
9.09943e-06
9.09187e-06
9.12802e-06
9.12035e-06
9.155e-06
9.14718e-06
9.18015e-06
9.17221e-06
9.20363e-06
9.19549e-06
9.22519e-06
9.21689e-06
9.24498e-06
9.23646e-06
9.26301e-06
9.25439e-06
9.27959e-06
9.27083e-06
9.29478e-06
9.28595e-06
9.3088e-06
9.29989e-06
9.32175e-06
9.31283e-06
9.33379e-06
9.32484e-06
9.34504e-06
9.33608e-06
9.35551e-06
9.34654e-06
9.36538e-06
9.35642e-06
9.37464e-06
9.36568e-06
9.38338e-06
9.37442e-06
9.39159e-06
9.38262e-06
9.39936e-06
9.3904e-06
9.40669e-06
9.39772e-06
9.41362e-06
9.40465e-06
9.42004e-06
9.41105e-06
9.42611e-06
9.41712e-06
9.43173e-06
9.42272e-06
9.43705e-06
9.42804e-06
9.44197e-06
9.43295e-06
9.44666e-06
9.43765e-06
9.45103e-06
9.44202e-06
9.45525e-06
9.44626e-06
9.45922e-06
9.45023e-06
9.46307e-06
9.45411e-06
9.4667e-06
9.45775e-06
9.47025e-06
9.46132e-06
9.4736e-06
9.46466e-06
9.47686e-06
9.46795e-06
9.47994e-06
9.47103e-06
9.48295e-06
9.47405e-06
9.48577e-06
9.47687e-06
9.48853e-06
9.47965e-06
9.49116e-06
9.48223e-06
9.49367e-06
9.48475e-06
9.49605e-06
9.48708e-06
9.49832e-06
9.48936e-06
9.50049e-06
9.49148e-06
9.50257e-06
9.49359e-06
9.50459e-06
9.49559e-06
9.50659e-06
9.49764e-06
9.50859e-06
9.49966e-06
9.51065e-06
9.50181e-06
9.5128e-06
9.50401e-06
9.51507e-06
9.50642e-06
9.51754e-06
9.50895e-06
9.52027e-06
9.51175e-06
9.52309e-06
9.51462e-06
9.5261e-06
9.51768e-06
9.52908e-06
9.52067e-06
9.53208e-06
9.52368e-06
9.53494e-06
9.5265e-06
9.53767e-06
9.52905e-06
9.55212e-06
9.55271e-06
9.56348e-06
9.56408e-06
9.60646e-06
9.63417e-06
9.70857e-06
9.74083e-06
9.8711e-06
9.99211e-06
1.05865e-05
1.15467e-05
1.63616e-06
2.3052e-06
1.17689e-06
1.95611e-06
3.76977e-07
9.44007e-07
3.08721e-06
1.6626e-06
1.80827e-06
0
1.53006e-07
3.63242e-06
1.06674e-06
1.72628e-06
2.10972e-06
2.2523e-06
8.66198e-07
1.45377e-06
2.87651e-07
6.58972e-07
7.16192e-07
1.38369e-06
1.83699e-06
1.14139e-06
0
0
8.54508e-07
0
1.30118e-06
1.16886e-07
0
0
0
1.93933e-06
0
0
1.86095e-06
1.72255e-06
0
0
6.38147e-07
7.2406e-08
1.78046e-06
0
0
1.6866e-06
0
0
0
0
4.30823e-07
7.27642e-08
5.67315e-07
1.14751e-07
0
0
1.66913e-06
6.06381e-07
1.60732e-08
0
0
5.81503e-07
0
2.59243e-06
2.30393e-06
0
0
3.19045e-07
7.47003e-07
1.20685e-06
1.27637e-06
0
2.28678e-07
2.03761e-06
0
4.71973e-08
0
0
0
0
1.96101e-06
7.6554e-07
5.70447e-07
0
0
7.76592e-07
6.62456e-07
9.88053e-07
1.01428e-06
1.33482e-07
5.43563e-07
4.25445e-06
5.15852e-06
7.28266e-07
1.32904e-06
3.81951e-07
1.02005e-06
7.80046e-06
1.10261e-07
5.66337e-07
0
0
4.68143e-06
5.39773e-06
3.54832e-06
4.05674e-06
5.71739e-06
6.00699e-06
1.11311e-05
9.17164e-06
9.05886e-06
6.28036e-06
6.81725e-06
1.23389e-05
8.42743e-06
8.18088e-06
1.18337e-05
8.87133e-06
8.39273e-06
6.87388e-06
1.25059e-05
9.00613e-06
8.56864e-06
1.26932e-05
9.73277e-06
9.15644e-06
1.34254e-05
1.03022e-05
9.73353e-06
1.46704e-05
1.15904e-05
1.08768e-05
3.25315e-06
4.39848e-06
5.25371e-06
4.01618e-06
1.75876e-06
3.08485e-06
9.3274e-07
3.67754e-06
2.4058e-06
4.36038e-07
1.9238e-06
4.31101e-08
1.25252e-05
6.23865e-06
9.2452e-06
1.05388e-05
1.00121e-05
9.06648e-06
5.65216e-06
3.49713e-06
6.77834e-06
6.85529e-06
5.31004e-06
4.59364e-06
5.15276e-06
7.81993e-06
8.34748e-06
5.30813e-06
8.21239e-06
4.40527e-06
3.8985e-06
0
9.73182e-06
1.0036e-05
5.70311e-06
6.00935e-06
7.45195e-06
7.68729e-06
5.35108e-06
5.85069e-06
9.31087e-06
4.90357e-06
5.27213e-06
6.98798e-06
7.0747e-06
5.14444e-06
5.82291e-06
8.34991e-06
5.66411e-06
3.13184e-06
6.19431e-06
6.51306e-06
3.86685e-06
4.39159e-06
1.61361e-06
3.57087e-06
0
6.84317e-06
7.06828e-06
8.23882e-06
8.20152e-06
5.79041e-06
4.34167e-06
2.92058e-06
2.04861e-06
1.67095e-05
1.4681e-05
1.8515e-05
1.28013e-05
1.134e-05
2.04474e-05
1.79586e-05
1.47237e-05
1.39151e-05
1.19187e-05
1.96698e-05
1.97779e-05
2.00515e-05
2.07722e-05
2.09453e-05
2.07374e-05
2.00502e-05
1.9046e-05
1.8048e-05
1.70341e-05
1.61012e-05
1.52053e-05
1.44189e-05
1.36941e-05
1.30561e-05
1.24794e-05
2.52662e-06
2.84779e-06
1.52208e-06
0
1.20541e-06
0
2.21098e-06
9.07085e-07
0
5.74677e-07
0
7.82042e-07
0
1.37155e-06
0
1.19623e-05
1.14981e-05
3.45004e-06
1.10805e-05
2.05378e-06
1.0711e-05
1.26529e-06
4.98659e-07
1.03775e-05
5.93941e-08
1.00909e-05
9.82794e-06
9.61344e-06
0
0
0
0
9.4059e-06
9.2561e-06
0
0
9.08602e-06
0
9.00158e-06
0
8.8609e-06
8.82936e-06
8.71814e-06
8.71226e-06
0
0
8.6333e-06
8.64258e-06
0
0
8.58861e-06
0
8.60582e-06
0
0
8.56694e-06
0
8.58973e-06
8.56166e-06
8.58803e-06
0
0
0
0
8.56755e-06
8.59633e-06
0
0
8.57914e-06
0
8.61227e-06
0
8.59725e-06
8.63414e-06
8.61997e-06
8.65837e-06
0
0
8.64503e-06
8.68487e-06
0
0
8.67228e-06
0
8.71288e-06
0
0
8.70105e-06
0
8.74246e-06
8.73156e-06
8.76701e-06
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
0
4.71255e-06
2.30596e-06
3.01909e-06
5.36483e-06
3.60012e-06
3.93996e-06
1.57007e-06
2.01657e-06
2.5442e-06
3.38972e-06
2.14382e-06
3.00012e-06
1.71216e-06
2.38304e-06
1.04131e-06
1.50648e-06
4.83475e-06
5.24748e-06
3.70761e-06
4.61369e-06
6.27465e-06
3.11304e-06
3.94972e-06
4.35218e-06
4.6701e-06
3.10719e-06
3.8548e-06
2.28527e-06
2.81585e-06
6.81535e-06
2.63669e-06
3.20657e-06
3.58741e-06
4.35029e-06
2.59708e-06
3.58994e-06
1.1756e-06
1.84417e-06
1.8872e-06
2.66538e-06
3.00435e-06
3.24291e-06
1.52352e-06
2.37093e-06
4.16479e-06
2.59695e-06
2.85718e-06
5.69188e-07
1.06288e-06
1.25477e-05
8.9674e-07
2.41597e-05
2.2129e-05
2.05503e-05
1.96255e-05
1.86572e-05
1.79264e-05
1.73114e-05
1.67547e-05
1.63933e-05
1.60127e-05
1.57535e-05
1.54515e-05
1.52518e-05
1.50051e-05
1.48428e-05
1.46343e-05
1.44958e-05
1.43141e-05
1.41926e-05
1.40304e-05
1.3921e-05
1.3773e-05
1.36724e-05
1.35349e-05
1.34407e-05
1.33113e-05
1.32219e-05
1.30986e-05
1.30128e-05
1.28943e-05
1.28112e-05
1.26962e-05
1.26151e-05
1.25028e-05
1.24229e-05
1.23126e-05
1.22335e-05
1.21244e-05
1.20456e-05
1.19371e-05
1.18582e-05
1.17499e-05
1.16705e-05
1.15619e-05
1.14817e-05
1.13723e-05
1.12908e-05
1.11802e-05
1.10973e-05
1.09849e-05
1.09002e-05
1.07857e-05
1.06988e-05
1.05816e-05
1.04922e-05
1.0372e-05
1.02797e-05
1.01558e-05
1.00603e-05
9.93233e-06
9.83311e-06
9.70051e-06
9.59724e-06
9.45953e-06
9.35184e-06
9.20852e-06
9.09608e-06
8.9467e-06
8.82923e-06
8.67339e-06
8.55062e-06
8.38789e-06
8.2596e-06
8.08965e-06
7.95568e-06
7.77826e-06
7.63861e-06
7.45365e-06
7.30847e-06
7.11614e-06
6.96583e-06
6.76667e-06
6.61185e-06
6.40692e-06
6.24876e-06
6.03955e-06
5.87978e-06
5.66856e-06
5.50963e-06
5.29932e-06
5.14431e-06
4.93864e-06
4.79128e-06
4.5947e-06
4.45926e-06
4.27665e-06
4.15754e-06
3.99384e-06
3.89497e-06
3.75446e-06
3.6787e-06
3.56421e-06
3.51222e-06
3.42476e-06
3.39433e-06
3.33436e-06
3.32241e-06
3.29164e-06
3.28952e-06
3.27566e-06
3.28021e-06
3.27601e-06
3.28583e-06
3.2875e-06
3.30154e-06
3.30649e-06
3.3247e-06
3.33101e-06
3.35046e-06
3.35723e-06
3.3766e-06
3.38343e-06
3.40204e-06
3.40879e-06
3.42657e-06
3.43309e-06
3.45273e-06
3.45509e-06
3.47612e-06
3.47635e-06
3.49933e-06
3.4921e-06
3.56093e-06
3.60508e-06
3.81524e-06
3.9171e-06
4.04944e-06
4.21579e-06
2.67385e-05
4.47571e-06
)
;
}
rightWall
{
type calculated;
value nonuniform List<scalar>
30
(
0.00156292
0.00337174
0.00476287
0.00725242
0.0105238
0.01364
0.0164578
0.0194513
0.0221321
0.0244109
0.0260424
0.0269869
0.0271814
0.0266544
0.0254762
0.0237051
0.0214706
0.0188022
0.0159246
0.0128118
0.0100343
0.00712623
0.00454008
0.0023349
2.13291e-05
0.000189662
0.000442765
2.81912e-05
0.000339334
0.000832969
)
;
}
symmetryLine
{
type symmetryPlane;
}
}
// ************************************************************************* //
| [
"mhoeper3234@gmail.com"
] | mhoeper3234@gmail.com | |
9f4398be4211bdce5af36665ea97e0449e8e07fd | 2b7e7565915297cc406d6931a0a690ca85568ef7 | /algorithm/lc/198rob.cpp | e2d5d4db06805bbd1e47661f02cb3e6746564c64 | [] | no_license | pklim101/codelib | 08c504d35c2c09a493b2ef8086711908279c969d | abf0f135bd10981e4a62c6fd5fcce1b6e2b1e866 | refs/heads/master | 2022-05-02T05:07:24.296441 | 2022-03-13T03:38:51 | 2022-03-13T03:38:51 | 93,059,918 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,082 | cpp | /*************************************************************************
> File Name: 198rob.cpp
> Author: tony
> Mail: tony@z.com
> Created Time: 六 6/ 6 14:16:22 2020
************************************************************************/
#include<iostream>
#include<vector>
using namespace std;
/**
题目:打家劫舍. 每个房子有不同价值的物品,打劫相邻的两个房子会触发报警.求如何才能打劫到最多的财务.
分析:是树形问题. 1. 有重复子结构:可以考虑递归; 2. 有最优子问题:可以考虑动态规划; 3. 因为有重复最优子问题,所以可以考虑记忆化搜索.
*/
class Solution {
private:
vector<int> memo;
//递归自顶向下求解:O(2^n)
//考虑打劫[index~nums.size)个房子获得最优解.
int _rob(vector<int>& nums, int index) {
if (index >= nums.size())
return 0;
if (memo[index] != -1)
return memo[index];
int res = 0; //每打劫一个房子后获得的最优解.
for (int i = index; i < nums.size(); i++) {
//res = max(res, i + _rob(nums, i)); //错了,注意,很容易混淆.
res = max(res, nums[i] + _rob(nums, i+2)); //为什么是+2呢?因为得隔一个房子.
}
memo[index] = res;
return res;
}
//动态规划自底向上求解: O(n^2)
int _rob2(vector<int>& nums, int index){
int n = nums.size();
//memo[i]表示考虑抢劫[index,n-1]区间的房子所能获得的最大收益.
memo[n-1] = nums[n-1]; //抢劫第n-1个房子.也就是只有一个房子可抢劫.
for (int i = n-2; i >=0; i--) {
//求memo[i]:即考虑从i到n-1个房子的最大收益.
for (int j = i; j <= n-1; j++) {
memo[i] = max(memo[i], nums[j]+ (j+2<n ? memo[j+2] : 0)); //状态转移方程.
}
}
return memo[0];
}
public:
int rob(vector<int>& nums) {
memo = vector<int>(nums.size(), -1);
if (nums.size() == 0)
return 0;
return _rob2(nums, 0);
}
};
int main(){
vector<int> vec = {1,2,3,1};
Solution sl;
int res = sl.rob(vec);
cout << res << endl;
return 0;
}
| [
"thinksasa@163.com"
] | thinksasa@163.com |
08a808d7f323391ff8674f4dc07ee9dcf2cfb384 | dd80a584130ef1a0333429ba76c1cee0eb40df73 | /dalvik/vm/test/TestIndirectRefTable.cpp | f1442547cee6e34a878a1633d554aafeb1d00198 | [
"LicenseRef-scancode-generic-cla",
"Apache-2.0",
"MIT"
] | permissive | karunmatharu/Android-4.4-Pay-by-Data | 466f4e169ede13c5835424c78e8c30ce58f885c1 | fcb778e92d4aad525ef7a995660580f948d40bc9 | refs/heads/master | 2021-03-24T13:33:01.721868 | 2017-02-18T17:48:49 | 2017-02-18T17:48:49 | 81,847,777 | 0 | 2 | MIT | 2020-03-09T00:02:12 | 2017-02-13T16:47:00 | null | UTF-8 | C++ | false | false | 11,857 | cpp | /*
* Copyright (C) 2009 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
/*
* Test the indirect reference table implementation.
*/
#include "Dalvik.h"
#include <stdlib.h>
#include <sys/time.h>
#ifndef NDEBUG
#define DBUG_MSG ALOGI
class Stopwatch {
public:
Stopwatch() {
reset();
}
void reset() {
start_ = now();
}
float elapsedSeconds() {
return (now() - start_) * 0.000001f;
}
private:
u8 start_;
static u8 now() {
#ifdef HAVE_POSIX_CLOCKS
struct timespec tm;
clock_gettime(CLOCK_THREAD_CPUTIME_ID, &tm);
return tm.tv_sec * 1000000LL + tm.tv_nsec / 1000;
#else
struct timeval tv;
gettimeofday(&tv, NULL);
return tv.tv_sec * 1000000LL + tv.tv_usec;
#endif
}
};
/*
* Basic add/get/delete tests in an unsegmented table.
*/
static bool basicTest()
{
static const int kTableMax = 20;
IndirectRefTable irt;
IndirectRef iref0, iref1, iref2, iref3;
IndirectRef manyRefs[kTableMax];
ClassObject* clazz = dvmFindClass("Ljava/lang/Object;", NULL);
Object* obj0 = dvmAllocObject(clazz, ALLOC_DONT_TRACK);
Object* obj1 = dvmAllocObject(clazz, ALLOC_DONT_TRACK);
Object* obj2 = dvmAllocObject(clazz, ALLOC_DONT_TRACK);
Object* obj3 = dvmAllocObject(clazz, ALLOC_DONT_TRACK);
const u4 cookie = IRT_FIRST_SEGMENT;
bool result = false;
if (!irt.init(kTableMax/2, kTableMax, kIndirectKindGlobal)) {
return false;
}
iref0 = (IndirectRef) 0x11110;
if (irt.remove(cookie, iref0)) {
ALOGE("unexpectedly successful removal");
goto bail;
}
/*
* Add three, check, remove in the order in which they were added.
*/
DBUG_MSG("+++ START fifo\n");
iref0 = irt.add(cookie, obj0);
iref1 = irt.add(cookie, obj1);
iref2 = irt.add(cookie, obj2);
if (iref0 == NULL || iref1 == NULL || iref2 == NULL) {
ALOGE("trivial add1 failed");
goto bail;
}
if (irt.get(iref0) != obj0 ||
irt.get(iref1) != obj1 ||
irt.get(iref2) != obj2) {
ALOGE("objects don't match expected values %p %p %p vs. %p %p %p",
irt.get(iref0), irt.get(iref1), irt.get(iref2),
obj0, obj1, obj2);
goto bail;
} else {
DBUG_MSG("+++ obj1=%p --> iref1=%p\n", obj1, iref1);
}
if (!irt.remove(cookie, iref0) ||
!irt.remove(cookie, iref1) ||
!irt.remove(cookie, iref2))
{
ALOGE("fifo deletion failed");
goto bail;
}
/* table should be empty now */
if (irt.capacity() != 0) {
ALOGE("fifo del not empty");
goto bail;
}
/* get invalid entry (off the end of the list) */
if (irt.get(iref0) != kInvalidIndirectRefObject) {
ALOGE("stale entry get succeeded unexpectedly");
goto bail;
}
/*
* Add three, remove in the opposite order.
*/
DBUG_MSG("+++ START lifo\n");
iref0 = irt.add(cookie, obj0);
iref1 = irt.add(cookie, obj1);
iref2 = irt.add(cookie, obj2);
if (iref0 == NULL || iref1 == NULL || iref2 == NULL) {
ALOGE("trivial add2 failed");
goto bail;
}
if (!irt.remove(cookie, iref2) ||
!irt.remove(cookie, iref1) ||
!irt.remove(cookie, iref0))
{
ALOGE("lifo deletion failed");
goto bail;
}
/* table should be empty now */
if (irt.capacity() != 0) {
ALOGE("lifo del not empty");
goto bail;
}
/*
* Add three, remove middle / middle / bottom / top. (Second attempt
* to remove middle should fail.)
*/
DBUG_MSG("+++ START unorder\n");
iref0 = irt.add(cookie, obj0);
iref1 = irt.add(cookie, obj1);
iref2 = irt.add(cookie, obj2);
if (iref0 == NULL || iref1 == NULL || iref2 == NULL) {
ALOGE("trivial add3 failed");
goto bail;
}
if (irt.capacity() != 3) {
ALOGE("expected 3 entries, found %d", irt.capacity());
goto bail;
}
if (!irt.remove(cookie, iref1) || irt.remove(cookie, iref1)) {
ALOGE("unorder deletion1 failed");
goto bail;
}
/* get invalid entry (from hole) */
if (irt.get(iref1) != kInvalidIndirectRefObject) {
ALOGE("hole get succeeded unexpectedly");
goto bail;
}
if (!irt.remove(cookie, iref2) || !irt.remove(cookie, iref0)) {
ALOGE("unorder deletion2 failed");
goto bail;
}
/* table should be empty now */
if (irt.capacity() != 0) {
ALOGE("unorder del not empty");
goto bail;
}
/*
* Add four entries. Remove #1, add new entry, verify that table size
* is still 4 (i.e. holes are getting filled). Remove #1 and #3, verify
* that we delete one and don't hole-compact the other.
*/
DBUG_MSG("+++ START hole fill\n");
iref0 = irt.add(cookie, obj0);
iref1 = irt.add(cookie, obj1);
iref2 = irt.add(cookie, obj2);
iref3 = irt.add(cookie, obj3);
if (iref0 == NULL || iref1 == NULL || iref2 == NULL || iref3 == NULL) {
ALOGE("trivial add4 failed");
goto bail;
}
if (!irt.remove(cookie, iref1)) {
ALOGE("remove 1 of 4 failed");
goto bail;
}
iref1 = irt.add(cookie, obj1);
if (irt.capacity() != 4) {
ALOGE("hole not filled");
goto bail;
}
if (!irt.remove(cookie, iref1) || !irt.remove(cookie, iref3)) {
ALOGE("remove 1/3 failed");
goto bail;
}
if (irt.capacity() != 3) {
ALOGE("should be 3 after two deletions");
goto bail;
}
if (!irt.remove(cookie, iref2) || !irt.remove(cookie, iref0)) {
ALOGE("remove 2/0 failed");
goto bail;
}
if (irt.capacity() != 0) {
ALOGE("not empty after split remove");
goto bail;
}
/*
* Add an entry, remove it, add a new entry, and try to use the original
* iref. They have the same slot number but are for different objects.
* With the extended checks in place, this should fail.
*/
DBUG_MSG("+++ START switched\n");
iref0 = irt.add(cookie, obj0);
irt.remove(cookie, iref0);
iref1 = irt.add(cookie, obj1);
if (irt.remove(cookie, iref0)) {
ALOGE("mismatched del succeeded (%p vs %p)", iref0, iref1);
goto bail;
}
if (!irt.remove(cookie, iref1)) {
ALOGE("switched del failed");
goto bail;
}
if (irt.capacity() != 0) {
ALOGE("switching del not empty");
goto bail;
}
/*
* Same as above, but with the same object. A more rigorous checker
* (e.g. with slot serialization) will catch this.
*/
DBUG_MSG("+++ START switched same object\n");
iref0 = irt.add(cookie, obj0);
irt.remove(cookie, iref0);
iref1 = irt.add(cookie, obj0);
if (iref0 != iref1) {
/* try 0, should not work */
if (irt.remove(cookie, iref0)) {
ALOGE("temporal del succeeded (%p vs %p)", iref0, iref1);
goto bail;
}
}
if (!irt.remove(cookie, iref1)) {
ALOGE("temporal cleanup failed");
goto bail;
}
if (irt.capacity() != 0) {
ALOGE("temporal del not empty");
goto bail;
}
DBUG_MSG("+++ START null lookup\n");
if (irt.get(NULL) != kInvalidIndirectRefObject) {
ALOGE("null lookup succeeded");
goto bail;
}
DBUG_MSG("+++ START stale lookup\n");
iref0 = irt.add(cookie, obj0);
irt.remove(cookie, iref0);
if (irt.get(iref0) != kInvalidIndirectRefObject) {
ALOGE("stale lookup succeeded");
goto bail;
}
/*
* Test table overflow.
*/
DBUG_MSG("+++ START overflow\n");
int i;
for (i = 0; i < kTableMax; i++) {
manyRefs[i] = irt.add(cookie, obj0);
if (manyRefs[i] == NULL) {
ALOGE("Failed adding %d of %d", i, kTableMax);
goto bail;
}
}
if (irt.add(cookie, obj0) != NULL) {
ALOGE("Table overflow succeeded");
goto bail;
}
if (irt.capacity() != (size_t)kTableMax) {
ALOGE("Expected %d entries, found %d", kTableMax, irt.capacity());
goto bail;
}
irt.dump("table with 20 entries, all filled");
for (i = 0; i < kTableMax-1; i++) {
if (!irt.remove(cookie, manyRefs[i])) {
ALOGE("multi-remove failed at %d", i);
goto bail;
}
}
irt.dump("table with 20 entries, 19 of them holes");
/* because of removal order, should have 20 entries, 19 of them holes */
if (irt.capacity() != (size_t)kTableMax) {
ALOGE("Expected %d entries (with holes), found %d",
kTableMax, irt.capacity());
goto bail;
}
if (!irt.remove(cookie, manyRefs[kTableMax-1])) {
ALOGE("multi-remove final failed");
goto bail;
}
if (irt.capacity() != 0) {
ALOGE("multi-del not empty");
goto bail;
}
/* Done */
DBUG_MSG("+++ basic test complete\n");
result = true;
bail:
irt.destroy();
return result;
}
static bool performanceTest()
{
static const int kTableMax = 100;
IndirectRefTable irt;
IndirectRef manyRefs[kTableMax];
ClassObject* clazz = dvmFindClass("Ljava/lang/Object;", NULL);
Object* obj0 = dvmAllocObject(clazz, ALLOC_DONT_TRACK);
const u4 cookie = IRT_FIRST_SEGMENT;
const int kLoops = 100000;
Stopwatch stopwatch;
DBUG_MSG("+++ START performance\n");
if (!irt.init(kTableMax, kTableMax, kIndirectKindGlobal)) {
return false;
}
stopwatch.reset();
for (int loop = 0; loop < kLoops; loop++) {
for (int i = 0; i < kTableMax; i++) {
manyRefs[i] = irt.add(cookie, obj0);
}
for (int i = 0; i < kTableMax; i++) {
irt.remove(cookie, manyRefs[i]);
}
}
DBUG_MSG("Add/remove %d objects FIFO order, %d iterations, %0.3fms / iteration",
kTableMax, kLoops, stopwatch.elapsedSeconds() * 1000 / kLoops);
stopwatch.reset();
for (int loop = 0; loop < kLoops; loop++) {
for (int i = 0; i < kTableMax; i++) {
manyRefs[i] = irt.add(cookie, obj0);
}
for (int i = kTableMax; i-- > 0; ) {
irt.remove(cookie, manyRefs[i]);
}
}
DBUG_MSG("Add/remove %d objects LIFO order, %d iterations, %0.3fms / iteration",
kTableMax, kLoops, stopwatch.elapsedSeconds() * 1000 / kLoops);
for (int i = 0; i < kTableMax; i++) {
manyRefs[i] = irt.add(cookie, obj0);
}
stopwatch.reset();
for (int loop = 0; loop < kLoops; loop++) {
for (int i = 0; i < kTableMax; i++) {
irt.get(manyRefs[i]);
}
}
DBUG_MSG("Get %d objects, %d iterations, %0.3fms / iteration",
kTableMax, kLoops, stopwatch.elapsedSeconds() * 1000 / kLoops);
for (int i = kTableMax; i-- > 0; ) {
irt.remove(cookie, manyRefs[i]);
}
irt.destroy();
return true;
}
/*
* Some quick tests.
*/
bool dvmTestIndirectRefTable()
{
if (!basicTest()) {
ALOGE("IRT basic test failed");
return false;
}
if (!performanceTest()) {
ALOGE("IRT performance test failed");
return false;
}
return true;
}
#endif /*NDEBUG*/
| [
"karun.matharu@gmail.com"
] | karun.matharu@gmail.com |
5b9c4f07779cc02ca6c8313f1c40ab75b19e2a28 | d9bb656bd11f85e6419ebd786aec6fe3f917cb73 | /modules/mapred/multi_reader.h | 7c79737d0b283de94e93c14bfc8dc490a7ed75ff | [
"BSD-2-Clause"
] | permissive | spiralgenetics/biograph | 55a91703a70429568107209ce20e71f6b96577df | 5f40198e95b0626ae143e021ec97884de634e61d | refs/heads/main | 2023-08-30T18:04:55.636103 | 2021-10-31T00:50:48 | 2021-10-31T00:51:08 | 386,059,959 | 21 | 10 | NOASSERTION | 2021-07-22T23:28:45 | 2021-07-14T19:52:15 | HTML | UTF-8 | C++ | false | false | 4,898 | h | #pragma once
#include "modules/mapred/path.h"
#include "modules/io/log.h"
#include "modules/io/encoding.h"
#include "modules/io/mem_io.h"
#include <future>
// Reads a list of paths sequentially. DO NOT use both the 'readable' and 'kv_source' methods
// during the same use, since buffering may occur in kv_reader
typedef std::function<void(const path& chunk)> chunk_notify_f;
// The ManifestIterator concept requires the following interface:
// ++ (incrementing)
// * (deferencing) into a path object
// != (inequality)
//
template<class ManifestIterator>
class multi_reader : public readable, public kv_source
{
public:
multi_reader(
const ManifestIterator& begin,
const ManifestIterator& end,
const std::string& encoding
);
// Overrides readable::read
size_t read(char* buf, size_t len) override;
// Overrides kv_source::read
bool read(std::string& key, std::string& value) override;
void set_notify(const chunk_notify_f& fn)
{
m_notify = fn;
}
private:
// Advances to the next path; returns false if no more paths
// are available to read from.
bool next();
// Starts prefetches up to read_parallelism at once.
void start_reads();
private:
ManifestIterator m_it;
ManifestIterator m_it_end;
std::string m_encoding;
// Maximum number of paths to prefetch at once.
static const size_t read_parallelism = 16;
// Maximum size of object to prefetch
static const size_t maximum_prefetch_size = 128*1024*1024; // 128 MB
// Paths currently being prefetched.
struct prefetch_path {
path m_path;
std::unique_ptr<readable> m_reader;
};
std::deque<std::future<prefetch_path>> m_raw_prefetch;
// Current raw (encoded) path being read.
std::unique_ptr<readable> m_raw;
// Current decoded path being read.
std::unique_ptr<readable> m_reader;
// used to transform (char* buf, size_t len) -> (std::string key, std::string value)
kv_reader m_kv_reader;
chunk_notify_f m_notify;
};
template<class ManifestIterator>
bool multi_reader<ManifestIterator>::read(std::string& key, std::string& value)
{
try {
return m_kv_reader.read(key, value);
}
catch (const io_exception& e) {
throw io_exception(printstring("multi_reader::read> Exception: %s",
e.message().c_str()
));
}
return false;
}
template<class ManifestIterator>
multi_reader<ManifestIterator>* make_multi_reader(
const ManifestIterator& begin,
const ManifestIterator& end,
const std::string& encoding)
{
return new multi_reader<ManifestIterator>(begin, end, encoding);
}
template<class ManifestIterator>
multi_reader<ManifestIterator>::multi_reader(
const ManifestIterator& begin,
const ManifestIterator& end,
const std::string& encoding)
: m_it(begin)
, m_it_end(end)
, m_encoding(encoding)
, m_kv_reader(*this)
{
start_reads();
next();
}
template<class ManifestIterator>
void multi_reader<ManifestIterator>::start_reads()
{
while (m_it != m_it_end && m_raw_prefetch.size() < read_parallelism) {
path cur_path = *m_it;
m_it++;
if (cur_path.size() > maximum_prefetch_size) {
// Too big to prefetch; wait until we need it to read it.
std::function<prefetch_path()> reader =
[cur_path]() {
return prefetch_path{cur_path, cur_path.read()};
};
m_raw_prefetch.push_back(
std::async(std::launch::deferred, reader));
} else {
std::function<prefetch_path()> prefetcher =
[cur_path]() {
std::unique_ptr<readable> mem_raw(new mem_io(cur_path.get(), track_alloc("multi_reader:mem_raw")));
return prefetch_path{cur_path, std::move(mem_raw)};
};
m_raw_prefetch.push_back(
std::async(std::launch::async, prefetcher));
}
}
}
template<class ManifestIterator>
bool multi_reader<ManifestIterator>::next()
{
if (m_raw_prefetch.empty()) {
// No more parts available!
return false;
}
std::future<prefetch_path> prefetch_future = std::move(m_raw_prefetch.front());
m_raw_prefetch.pop_front();
prefetch_path prefetch = prefetch_future.get();
m_raw = std::move(prefetch.m_reader);
m_reader = make_decoder(m_encoding, *m_raw);
// SPLOG_P(LOG_DEBUG, "multi_reader::next> Opening next chunk: %s", prefetch.path.url().c_str());
if (m_notify) {
m_notify(prefetch.m_path);
}
// Start any more prefetches that need to be done.
start_reads();
// We successfully read another part.
return true;
}
template<class ManifestIterator>
size_t multi_reader<ManifestIterator>::read(char* buf, size_t len)
{
size_t tot_read = 0;
// while we still have space to read to
// and there's something to read from
while (len && m_reader) {
size_t num_read = m_reader->read(buf, len);
if (num_read < len) {
// SPLOG_P(LOG_DEBUG, "multi_reader::read> done reading current chunk");
if (!next()) {
m_reader.reset();
SPLOG_P(LOG_DEBUG, "multi_reader::read> Done reading all the chunks in the manifest");
}
}
tot_read += num_read;
buf += num_read;
len -= num_read;
}
return tot_read;
}
| [
"rob@spiralgenetics.com"
] | rob@spiralgenetics.com |
28a75f843a362d32106d7c6dd4fcf2b4ee17de77 | 6eda944ac211ae85e3c7d74cdb7d9fee3c6524a4 | /TimerClass.h | f4f188d364fa6639fe583ccd1862dab60bd314fd | [] | no_license | totol901/MapTool2 | c3daed55e1f0ab5cff848c85130cd2e0b1235319 | 07afc4a96b238af8491df9da2cabdb7b87a32c2d | refs/heads/master | 2020-03-19T23:48:25.503933 | 2018-06-12T08:22:00 | 2018-06-12T08:22:00 | 137,020,421 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 250 | h | #pragma once
class TimerClass
{
public:
TimerClass();
TimerClass(const TimerClass&);
~TimerClass();
bool Initialize();
void Frame();
float GetTime();
private:
INT64 m_frequency;
float m_ticksPerMs;
INT64 m_startTime;
float m_frameTime;
};
| [
"savtotol901@gmail.com"
] | savtotol901@gmail.com |
a313ce5d10ed2dec71f27bd7c2004818260ce429 | 8afb5afd38548c631f6f9536846039ef6cb297b9 | /MY_REPOS/misc-experiments/_FIREBFIRE/grpc-SwiftPM/include/grpcpp/impl/codegen/interceptor.h | 59a91e171c39c92c4529d7a6d07cfadb4419b5e5 | [
"MIT",
"Apache-2.0"
] | permissive | bgoonz/UsefulResourceRepo2.0 | d87588ffd668bb498f7787b896cc7b20d83ce0ad | 2cb4b45dd14a230aa0e800042e893f8dfb23beda | refs/heads/master | 2023-03-17T01:22:05.254751 | 2022-08-11T03:18:22 | 2022-08-11T03:18:22 | 382,628,698 | 10 | 12 | MIT | 2022-10-10T14:13:54 | 2021-07-03T13:58:52 | null | UTF-8 | C++ | false | false | 10,570 | h | /*
*
* Copyright 2018 gRPC authors.
*
* 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
*
CEPTOR_H
#define GRPCPP_IMPL_CODEGEN_INTERCEPTOR_H
#include <grpc/impl/codegen/grpc_types.h>
#include <grpcpp/impl/codegen/byte_buffer.h>
#include <grpcpp/impl/codegen/config.h>
#include <grpcpp/impl/codegen/core_codegen_interface.h>
#include <grpcpp/impl/codegen/metadata_map.h>
namespace grpc {
class ChannelInterface;
class Status;
namespace experimental {
/// An enumeration of different possible points at which the \a Intercept
/// method of the \a Interceptor interface may be called. Any given call
/// to \a Intercept will include one or more of these hook points, and
/// each hook point makes certain types of information available to the
/// interceptor.
/// In these enumeration names, PRE_SEND means that an interception has taken
/// place between the time the application provided a certain type of data
/// (e.g., initial metadata, status) and the time that that data goes to the
/// other side. POST_SEND means that the data has been committed for going to
/// the other side (even if it has not yet been received at the other side).
/// PRE_RECV means an interception between the time that a certain
/// operation has been requested and it is available. POST_RECV means that a
/// result is available but has not yet been passed back to the application.
/// A batch of interception points will only contain either PRE or POST hooks
/// but not both types. For example, a batch with PRE_SEND hook points will not
/// contain POST_RECV or POST_SEND ops. Likewise, a batch with POST_* ops can
/// not contain PRE_* ops.
enum class InterceptionHookPoints {
/// The first three in this list are for clients and servers
PRE_SEND_INITIAL_METADATA,
PRE_SEND_MESSAGE,
POST_SEND_MESSAGE,
PRE_SEND_STATUS, // server only
PRE_SEND_CLOSE, // client only: WritesDone for stream; after write in unary
/// The following three are for hijacked clients only. A batch with PRE_RECV_*
/// hook points will never contain hook points of other types.
PRE_RECV_INITIAL_METADATA,
PRE_RECV_MESSAGE,
PRE_RECV_STATUS,
/// The following two are for all clients and servers
POST_RECV_INITIAL_METADATA,
POST_RECV_MESSAGE,
POST_RECV_STATUS, // client only
POST_RECV_CLOSE, // server only
/// This is a special hook point available to both clients and servers when
/// TryCancel() is performed.
/// - No other hook points will be present along with this.
/// - It is illegal for an interceptor to block/delay this operation.
/// - ALL interceptors see this hook point irrespective of whether the
/// RPC was hijacked or not.
PRE_SEND_CANCEL,
NUM_INTERCEPTION_HOOKS
};
/// Class that is passed as an argument to the \a Intercept method
/// of the application's \a Interceptor interface implementation. It has five
/// purposes:
/// 1. Indicate which hook points are present at a specific interception
/// 2. Allow an interceptor to inform the library that an RPC should
/// continue to the next stage of its processing (which may be another
/// interceptor or the main path of the library)
/// 3. Allow an interceptor to hijack the processing of the RPC (only for
/// client-side RPCs with PRE_SEND_INITIAL_METADATA) so that it does not
/// proceed with normal processing beyond that stage
/// 4. Access the relevant fields of an RPC at each interception point
/// 5. Set some fields of an RPC at each interception point, when possible
class InterceptorBatchMethods {
public:
virtual ~InterceptorBatchMethods() {}
/// Determine whether the current batch has an interception hook point
/// of type \a type
virtual bool QueryInterceptionHookPoint(InterceptionHookPoints type) = 0;
/// Signal that the interceptor is done intercepting the current batch of the
/// RPC. Every interceptor must either call Proceed or Hijack on each
/// interception. In most cases, only Proceed will be used. Explicit use of
/// Proceed is what enables interceptors to delay the processing of RPCs
/// while they perform other work.
/// Proceed is a no-op if the batch contains PRE_SEND_CANCEL. Simply returning
/// from the Intercept method does the job of continuing the RPC in this case.
/// This is because PRE_SEND_CANCEL is always in a separate batch and is not
/// allowed to be delayed.
virtual void Proceed() = 0;
/// Indicate that the interceptor has hijacked the RPC (only valid if the
/// batch contains send_initial_metadata on the client side). Later
/// interceptors in the interceptor list will not be called. Later batches
/// on the same RPC will go through interception, but only up to the point
/// of the hijacking interceptor.
virtual void Hijack() = 0;
/// Send Message Methods
/// GetSerializedSendMessage and GetSendMessage/ModifySendMessage are the
/// available methods to view and modify the request payload. An interceptor
/// can access the payload in either serialized form or non-serialized form
/// but not both at the same time.
/// gRPC performs serialization in a lazy manner, which means
/// that a call to GetSerializedSendMessage will result in a serialization
/// operation if the payload stored is not in the serialized form already; the
/// non-serialized form will be lost and GetSendMessage will no longer return
/// a valid pointer, and this will remain true for later interceptors too.
/// This can change however if ModifySendMessage is used to replace the
/// current payload. Note that ModifySendMessage requires a new payload
/// message in the non-serialized form. This will overwrite the existing
/// payload irrespective of whether it had been serialized earlier. Also note
/// that gRPC Async API requires early serialization of the payload which
/// means that the payload would be available in the serialized form only
/// unless an interceptor replaces the payload with ModifySendMessage.
/// Returns a modifable ByteBuffer holding the serialized form of the message
/// that is going to be sent. Valid for PRE_SEND_MESSAGE interceptions.
/// A return value of nullptr indicates that this ByteBuffer is not valid.
virtual ByteBuffer* GetSerializedSendMessage() = 0;
/// Returns a non-modifiable pointer to the non-serialized form of the message
/// to be sent. Valid for PRE_SEND_MESSAGE interceptions. A return value of
/// nullptr indicates that this field is not valid.
virtual const void* GetSendMessage() = 0;
/// Overwrites the message to be sent with \a message. \a message should be in
/// the non-serialized form expected by the method. Valid for PRE_SEND_MESSAGE
/// interceptions. Note that the interceptor is responsible for maintaining
/// the life of the message till it is serialized or it receives the
/// POST_SEND_MESSAGE interception point, whichever happens earlier. The
/// modifying interceptor may itself force early serialization by calling
/// GetSerializedSendMessage.
virtual void ModifySendMessage(const void* message) = 0;
/// Checks whether the SEND MESSAGE op succeeded. Valid for POST_SEND_MESSAGE
/// interceptions.
virtual bool GetSendMessageStatus() = 0;
/// Returns a modifiable multimap of the initial metadata to be sent. Valid
/// for PRE_SEND_INITIAL_METADATA interceptions. A value of nullptr indicates
/// that this field is not valid.
virtual std::multimap<grpc::string, grpc::string>*
GetSendInitialMetadata() = 0;
/// Returns the status to be sent. Valid for PRE_SEND_STATUS interceptions.
virtual Status GetSendStatus() = 0;
/// Overwrites the status with \a status. Valid for PRE_SEND_STATUS
/// interceptions.
virtual void ModifySendStatus(const Status& status) = 0;
/// Returns a modifiable multimap of the trailing metadata to be sent. Valid
/// for PRE_SEND_STATUS interceptions. A value of nullptr indicates
/// that this field is not valid.
virtual std::multimap<grpc::string, grpc::string>*
GetSendTrailingMetadata() = 0;
/// Returns a pointer to the modifiable received message. Note that the
/// message is already deserialized but the type is not set; the interceptor
/// should static_cast to the appropriate type before using it. This is valid
/// for PRE_RECV_MESSAGE and POST_RECV_MESSAGE interceptions; nullptr for not
/// valid
virtual void* GetRecvMessage() = 0;
/// Returns a modifiable multimap of the received initial metadata.
/// Valid for PRE_RECV_INITIAL_METADATA and POST_RECV_INITIAL_METADATA
/// interceptions; nullptr if not valid
virtual std::multimap<grpc::string_ref, grpc::string_ref>*
GetRecvInitialMetadata() = 0;
/// Returns a modifiable view of the received status on PRE_RECV_STATUS and
/// POST_RECV_STATUS interceptions; nullptr if not valid.
virtual Status* GetRecvStatus() = 0;
/// Returns a modifiable multimap of the received trailing metadata on
/// PRE_RECV_STATUS and POST_RECV_STATUS interceptions; nullptr if not valid
virtual std::multimap<grpc::string_ref, grpc::string_ref>*
GetRecvTrailingMetadata() = 0;
/// Gets an intercepted channel. When a call is started on this interceptor,
/// only interceptors after the current interceptor are created from the
/// factory objects registered with the channel. This allows calls to be
/// started from interceptors without infinite regress through the interceptor
/// list.
virtual std::unique_ptr<ChannelInterface> GetInterceptedChannel() = 0;
/// On a hijacked RPC, an interceptor can decide to fail a PRE_RECV_MESSAGE
/// op. This would be a signal to the reader that there will be no more
/// messages, or the stream has failed or been cancelled.
virtual void FailHijackedRecvMessage() = 0;
/// On a hijacked RPC/ to-be hijacked RPC, this can be called to fail a SEND
/// MESSAGE op
virtual void FailHijackedSendMessage() = 0;
};
/// Interface for an interceptor. Interceptor authors must create a class
/// that derives from this parent class.
class Interceptor {
public:
virtual ~Interceptor() {}
/// The one public method of an Interceptor interface. Override this to
/// trigger the desired actions at the hook points described above.
virtual void Intercept(InterceptorBatchMethods* methods) = 0;
};
} // namespace experimental
} // namespace grpc
#endif // GRPCPP_IMPL_CODEGEN_INTERCEPTOR_H
| [
"bryan.guner@gmail.com"
] | bryan.guner@gmail.com |
5e5238d8efb3b7fa0ef658081cb658e62455042d | dab9bcee448e6c894288170e676f1e1f38e905aa | /src/Server/Modelo/Juego/Nivel/Bloques/ObjetosSorpresa/ObjetoSorpresa.cpp | fcfef63a2382e475e8daa7a137fdcca13f1f0729 | [
"MIT"
] | permissive | joaqogomez/SuperMarioBros-Honguitos | 315799826c66deef80c3405458811672bb98b217 | f945e434bc317a6d8c8d682b1042d8a385929156 | refs/heads/master | 2023-03-09T16:00:52.384229 | 2021-02-21T18:13:07 | 2021-02-21T18:13:07 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 136 | cpp | #include "ObjetoSorpresa.hpp"
bool ObjetoSorpresa::debeDesaparecer() {
return _debeDesaparecer;
}
void ObjetoSorpresa::sonar() {}
| [
"ldeangelis@fi.uba.ar"
] | ldeangelis@fi.uba.ar |
9b60a4ccc96b7f9a3bc85b54c4613a479f7d04b3 | 329482a3679545f8c4fb50b3ea4e3ffd55ebe953 | /Code Chef/Chefina And Swaps.cpp | 19bdb2fa1c39d4d228c8c7eaa976c69e5fe8051b | [
"MIT"
] | permissive | akashmodak97/Competitive-Coding-and-Interview-Problems | 253c71cff2c24974d18fd8e7dae6772658b92f8e | 88a36ee43ccaeacfdd8a521beac04b12c28ffe8e | refs/heads/master | 2023-06-27T14:55:52.457987 | 2023-06-20T06:03:34 | 2023-06-20T06:03:34 | 233,119,869 | 64 | 20 | MIT | 2021-04-17T16:32:39 | 2020-01-10T19:51:27 | C++ | UTF-8 | C++ | false | false | 3,341 | cpp | /* Code Chef */
/* Title - Chefina and Swaps */
/* Created By - Akash Modak */
/* Date - 13/07/2020 */
// Chefina has two sequences A1,A2,…,AN and B1,B2,…,BN. She views two sequences with length N as identical if, after they are sorted in non-decreasing order, the i-th element of one sequence is equal to the i-th element of the other sequence for each i (1≤i≤N).
// To impress Chefina, Chef wants to make the sequences identical. He may perform the following operation zero or more times: choose two integers i and j (1≤i,j≤N) and swap Ai with Bj. The cost of each such operation is min(Ai,Bj).
// You have to find the minimum total cost with which Chef can make the two sequences identical.
// Input
// The first line of the input contains a single integer T denoting the number of test cases. The description of T test cases follows.
// The first line of each test case contains a single integer N.
// The second line contains N space-separated integers A1,A2,…,AN.
// The third line contains N space-separated integers B1,B2,…,BN.
// Output
// For each test case, print a single line containing one integer ― the minimum cost, or −1 if no valid sequence of operations exists.
#include<bits/stdc++.h>
#define int long long int
#define fast ios_base::sync_with_stdio(false),cin.tie(NULL),cout.tie(NULL);
#define pb push_back
#define endl '\n'
#define F first
#define S second
using namespace std;
int main()
{
fast;
int t;
cin>>t;
while(t--)
{
int n;
cin>>n;
vector<int> a(n),b(n);
std::map<int, int> map1,map2,m3,m4,m5;
for(int i=0;i<n;i++){
cin>>a[i];
map1[a[i]]++;
m3[a[i]]++;
}
for(int i=0;i<n;i++){
cin>>b[i];
map2[b[i]]++;
m3[b[i]]++;
}
int flag=0;
for(auto i:m3)
{
if(i.S%2!=0)
{
flag=1;
break;
}
}
int t1[n],t2[n];
for(int i=0;i<n;i++)
t1[i]=a[i];
for(int i=0;i<n;i++)
t2[i]=b[i];
sort(t1,t1+n);
sort(t2,t2+n);
int p=0;
for(int i=0;i<n;i++)
{
if(t1[i]!=t2[i])
{
p=1;
break;
}
}
if(p==0)
cout<<0<<endl;
else if(flag==1)
cout<<-1<<endl;
else
{
int count=0;
int m=INT_MAX;
for(int i=0;i<n;i++)
m=min(m,a[i]);
for(int i=0;i<n;i++)
m=min(m,b[i]);
for(auto i:map1)
{
if(i.S>map2[i.F])
m4[i.F]=(i.S-map2[i.F])/2;
}
for(auto i:map2)
{
if(i.S>map1[i.F])
m5[i.F]=(i.S-map1[i.F])/2;
}
std::vector<int> vec1,vec2;
for(auto i:m4)
{
for(int j=0;j<i.S;j++)
vec1.pb(i.F);
}
for(auto i:m5)
{
for(int j=0;j<i.S;j++)
vec2.pb(i.F);
}
sort(vec1.begin(),vec1.end());
sort(vec2.begin(),vec2.end(),greater<int>());
for(int i=0;i<vec1.size();i++)
{
int k1=vec1[i];
int k2=vec2[i];
count+=min(2*m,(min(k1,k2)));
}
cout<<count<<endl;
}
}
return 0;
} | [
"noreply@github.com"
] | noreply@github.com |
079d0322bdbfaee9d059612e1f062f4d3807a9e7 | 9103e14b664e76618805392373f32b30d5c32d31 | /Burberry_ws/devel/include/ros_arduino_msgs/SensorState.h | e4e23e45eb2e81fbffd9e12844e3f875b89c844c | [] | no_license | xin-Dream/ros_study | 1c38c6bff3bde5b4886afae355efb2fdcda604b8 | 26d33f04bb80625657a0a32e6714f179be685e37 | refs/heads/main | 2023-08-26T15:54:20.612307 | 2021-11-11T14:40:31 | 2021-11-11T14:40:31 | 352,087,973 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,888 | h | // Generated by gencpp from file ros_arduino_msgs/SensorState.msg
// DO NOT EDIT!
#ifndef ROS_ARDUINO_MSGS_MESSAGE_SENSORSTATE_H
#define ROS_ARDUINO_MSGS_MESSAGE_SENSORSTATE_H
#include <string>
#include <vector>
#include <map>
#include <ros/types.h>
#include <ros/serialization.h>
#include <ros/builtin_message_traits.h>
#include <ros/message_operations.h>
#include <std_msgs/Header.h>
namespace ros_arduino_msgs
{
template <class ContainerAllocator>
struct SensorState_
{
typedef SensorState_<ContainerAllocator> Type;
SensorState_()
: header()
, name()
, value() {
}
SensorState_(const ContainerAllocator& _alloc)
: header(_alloc)
, name(_alloc)
, value(_alloc) {
(void)_alloc;
}
typedef ::std_msgs::Header_<ContainerAllocator> _header_type;
_header_type header;
typedef std::vector<std::basic_string<char, std::char_traits<char>, typename ContainerAllocator::template rebind<char>::other > , typename ContainerAllocator::template rebind<std::basic_string<char, std::char_traits<char>, typename ContainerAllocator::template rebind<char>::other > >::other > _name_type;
_name_type name;
typedef std::vector<float, typename ContainerAllocator::template rebind<float>::other > _value_type;
_value_type value;
typedef boost::shared_ptr< ::ros_arduino_msgs::SensorState_<ContainerAllocator> > Ptr;
typedef boost::shared_ptr< ::ros_arduino_msgs::SensorState_<ContainerAllocator> const> ConstPtr;
}; // struct SensorState_
typedef ::ros_arduino_msgs::SensorState_<std::allocator<void> > SensorState;
typedef boost::shared_ptr< ::ros_arduino_msgs::SensorState > SensorStatePtr;
typedef boost::shared_ptr< ::ros_arduino_msgs::SensorState const> SensorStateConstPtr;
// constants requiring out of line definition
template<typename ContainerAllocator>
std::ostream& operator<<(std::ostream& s, const ::ros_arduino_msgs::SensorState_<ContainerAllocator> & v)
{
ros::message_operations::Printer< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >::stream(s, "", v);
return s;
}
template<typename ContainerAllocator1, typename ContainerAllocator2>
bool operator==(const ::ros_arduino_msgs::SensorState_<ContainerAllocator1> & lhs, const ::ros_arduino_msgs::SensorState_<ContainerAllocator2> & rhs)
{
return lhs.header == rhs.header &&
lhs.name == rhs.name &&
lhs.value == rhs.value;
}
template<typename ContainerAllocator1, typename ContainerAllocator2>
bool operator!=(const ::ros_arduino_msgs::SensorState_<ContainerAllocator1> & lhs, const ::ros_arduino_msgs::SensorState_<ContainerAllocator2> & rhs)
{
return !(lhs == rhs);
}
} // namespace ros_arduino_msgs
namespace ros
{
namespace message_traits
{
template <class ContainerAllocator>
struct IsFixedSize< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
: FalseType
{ };
template <class ContainerAllocator>
struct IsFixedSize< ::ros_arduino_msgs::SensorState_<ContainerAllocator> const>
: FalseType
{ };
template <class ContainerAllocator>
struct IsMessage< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
: TrueType
{ };
template <class ContainerAllocator>
struct IsMessage< ::ros_arduino_msgs::SensorState_<ContainerAllocator> const>
: TrueType
{ };
template <class ContainerAllocator>
struct HasHeader< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
: TrueType
{ };
template <class ContainerAllocator>
struct HasHeader< ::ros_arduino_msgs::SensorState_<ContainerAllocator> const>
: TrueType
{ };
template<class ContainerAllocator>
struct MD5Sum< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
{
static const char* value()
{
return "c775d5ae64f1f355fcb3c88b89468dd0";
}
static const char* value(const ::ros_arduino_msgs::SensorState_<ContainerAllocator>&) { return value(); }
static const uint64_t static_value1 = 0xc775d5ae64f1f355ULL;
static const uint64_t static_value2 = 0xfcb3c88b89468dd0ULL;
};
template<class ContainerAllocator>
struct DataType< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
{
static const char* value()
{
return "ros_arduino_msgs/SensorState";
}
static const char* value(const ::ros_arduino_msgs::SensorState_<ContainerAllocator>&) { return value(); }
};
template<class ContainerAllocator>
struct Definition< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
{
static const char* value()
{
return "Header header\n"
"\n"
"string[] name\n"
"float32[] value\n"
"\n"
"================================================================================\n"
"MSG: std_msgs/Header\n"
"# Standard metadata for higher-level stamped data types.\n"
"# This is generally used to communicate timestamped data \n"
"# in a particular coordinate frame.\n"
"# \n"
"# sequence ID: consecutively increasing ID \n"
"uint32 seq\n"
"#Two-integer timestamp that is expressed as:\n"
"# * stamp.sec: seconds (stamp_secs) since epoch (in Python the variable is called 'secs')\n"
"# * stamp.nsec: nanoseconds since stamp_secs (in Python the variable is called 'nsecs')\n"
"# time-handling sugar is provided by the client library\n"
"time stamp\n"
"#Frame this data is associated with\n"
"string frame_id\n"
;
}
static const char* value(const ::ros_arduino_msgs::SensorState_<ContainerAllocator>&) { return value(); }
};
} // namespace message_traits
} // namespace ros
namespace ros
{
namespace serialization
{
template<class ContainerAllocator> struct Serializer< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
{
template<typename Stream, typename T> inline static void allInOne(Stream& stream, T m)
{
stream.next(m.header);
stream.next(m.name);
stream.next(m.value);
}
ROS_DECLARE_ALLINONE_SERIALIZER
}; // struct SensorState_
} // namespace serialization
} // namespace ros
namespace ros
{
namespace message_operations
{
template<class ContainerAllocator>
struct Printer< ::ros_arduino_msgs::SensorState_<ContainerAllocator> >
{
template<typename Stream> static void stream(Stream& s, const std::string& indent, const ::ros_arduino_msgs::SensorState_<ContainerAllocator>& v)
{
s << indent << "header: ";
s << std::endl;
Printer< ::std_msgs::Header_<ContainerAllocator> >::stream(s, indent + " ", v.header);
s << indent << "name[]" << std::endl;
for (size_t i = 0; i < v.name.size(); ++i)
{
s << indent << " name[" << i << "]: ";
Printer<std::basic_string<char, std::char_traits<char>, typename ContainerAllocator::template rebind<char>::other > >::stream(s, indent + " ", v.name[i]);
}
s << indent << "value[]" << std::endl;
for (size_t i = 0; i < v.value.size(); ++i)
{
s << indent << " value[" << i << "]: ";
Printer<float>::stream(s, indent + " ", v.value[i]);
}
}
};
} // namespace message_operations
} // namespace ros
#endif // ROS_ARDUINO_MSGS_MESSAGE_SENSORSTATE_H
| [
"1812752073@qq.com"
] | 1812752073@qq.com |
61144434730b4bfc6ea6a8c84f6645c6790c971c | 37d6f894d3152e77bb86497dd052f5efc924ce59 | /src/core_read.cpp | 53459cc36c7fc6e402c346e46153d17a0ad7cb6d | [
"MIT"
] | permissive | xuyenvtram/C-Bit-0.12.1 | 099339e4fafcb7f56c4c4ff09502c86788dea371 | 8506fc10f79eb32dc2c0cb0223b45c050e0f2efd | refs/heads/master | 2021-01-20T03:53:08.517958 | 2017-04-27T11:43:19 | 2017-04-27T11:43:19 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,645 | cpp | // Copyright (c) 2009-2015 The C-Bit Core developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "core_io.h"
#include "primitives/block.h"
#include "primitives/transaction.h"
#include "script/script.h"
#include "serialize.h"
#include "streams.h"
#include <univalue.h>
#include "util.h"
#include "utilstrencodings.h"
#include "version.h"
#include <boost/algorithm/string/classification.hpp>
#include <boost/algorithm/string/predicate.hpp>
#include <boost/algorithm/string/replace.hpp>
#include <boost/algorithm/string/split.hpp>
#include <boost/assign/list_of.hpp>
using namespace std;
CScript ParseScript(const std::string& s)
{
CScript result;
static map<string, opcodetype> mapOpNames;
if (mapOpNames.empty())
{
for (int op = 0; op <= OP_NOP10; op++)
{
// Allow OP_RESERVED to get into mapOpNames
if (op < OP_NOP && op != OP_RESERVED)
continue;
const char* name = GetOpName((opcodetype)op);
if (strcmp(name, "OP_UNKNOWN") == 0)
continue;
string strName(name);
mapOpNames[strName] = (opcodetype)op;
// Convenience: OP_ADD and just ADD are both recognized:
boost::algorithm::replace_first(strName, "OP_", "");
mapOpNames[strName] = (opcodetype)op;
}
}
vector<string> words;
boost::algorithm::split(words, s, boost::algorithm::is_any_of(" \t\n"), boost::algorithm::token_compress_on);
for (std::vector<std::string>::const_iterator w = words.begin(); w != words.end(); ++w)
{
if (w->empty())
{
// Empty string, ignore. (boost::split given '' will return one word)
}
else if (all(*w, boost::algorithm::is_digit()) ||
(boost::algorithm::starts_with(*w, "-") && all(string(w->begin()+1, w->end()), boost::algorithm::is_digit())))
{
// Number
int64_t n = atoi64(*w);
result << n;
}
else if (boost::algorithm::starts_with(*w, "0x") && (w->begin()+2 != w->end()) && IsHex(string(w->begin()+2, w->end())))
{
// Raw hex data, inserted NOT pushed onto stack:
std::vector<unsigned char> raw = ParseHex(string(w->begin()+2, w->end()));
result.insert(result.end(), raw.begin(), raw.end());
}
else if (w->size() >= 2 && boost::algorithm::starts_with(*w, "'") && boost::algorithm::ends_with(*w, "'"))
{
// Single-quoted string, pushed as data. NOTE: this is poor-man's
// parsing, spaces/tabs/newlines in single-quoted strings won't work.
std::vector<unsigned char> value(w->begin()+1, w->end()-1);
result << value;
}
else if (mapOpNames.count(*w))
{
// opcode, e.g. OP_ADD or ADD:
result << mapOpNames[*w];
}
else
{
throw runtime_error("script parse error");
}
}
return result;
}
bool DecodeHexTx(CTransaction& tx, const std::string& strHexTx)
{
if (!IsHex(strHexTx))
return false;
vector<unsigned char> txData(ParseHex(strHexTx));
CDataStream ssData(txData, SER_NETWORK, PROTOCOL_VERSION);
try {
ssData >> tx;
}
catch (const std::exception&) {
return false;
}
return true;
}
bool DecodeHexBlk(CBlock& block, const std::string& strHexBlk)
{
if (!IsHex(strHexBlk))
return false;
std::vector<unsigned char> blockData(ParseHex(strHexBlk));
CDataStream ssBlock(blockData, SER_NETWORK, PROTOCOL_VERSION);
try {
ssBlock >> block;
}
catch (const std::exception&) {
return false;
}
return true;
}
uint256 ParseHashUV(const UniValue& v, const string& strName)
{
string strHex;
if (v.isStr())
strHex = v.getValStr();
return ParseHashStr(strHex, strName); // Note: ParseHashStr("") throws a runtime_error
}
uint256 ParseHashStr(const std::string& strHex, const std::string& strName)
{
if (!IsHex(strHex)) // Note: IsHex("") is false
throw runtime_error(strName+" must be hexadecimal string (not '"+strHex+"')");
uint256 result;
result.SetHex(strHex);
return result;
}
vector<unsigned char> ParseHexUV(const UniValue& v, const string& strName)
{
string strHex;
if (v.isStr())
strHex = v.getValStr();
if (!IsHex(strHex))
throw runtime_error(strName+" must be hexadecimal string (not '"+strHex+"')");
return ParseHex(strHex);
}
| [
"crzybluebilly@mailinator.com"
] | crzybluebilly@mailinator.com |
2e72e7b81b52407bf3c9242ae8f626eda5dba67f | cb8bad8f13f561d5dfc2dc306c82ab2329781be5 | /Iteration2/randommaze.cpp | dfe281148bee532059b285cf658cc65fb9779e33 | [] | no_license | momen-hafez/Micromouse_E-Puck | c1e8d25e31214ef5fd1d306ce3fd1a7036bd17f4 | 68c13f66ba505d591da5f47d33291b8ea4952e71 | refs/heads/main | 2023-06-01T22:23:59.311331 | 2021-06-22T08:15:56 | 2021-06-22T08:15:56 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 10,484 | cpp | #include <iostream>
#include <stack>
#include <vector>
#include <random>
#include <string>
#include <fstream>
using namespace std;
// Default values
int m = 4, n = 4;
const double TITLE_SIZE = 0.10;
const double UNIT_SIZE = TITLE_SIZE / 2.0;
// #define out cout
void displayMaze(int M, int N, char **maze)
{
ofstream out("maze.wbt");
double floor_M = TITLE_SIZE * m;
double floor_N = TITLE_SIZE * n;
out << "#VRML_SIM R2020b utf8 \n"
" WorldInfo { \n"
" info [ \n"
" \"The model of the E-puck robot\" \n"
" ] \n"
" title \"E-puck simulation\" \n"
" coordinateSystem \"NUE\" \n"
"} \n"
"Viewpoint { \n"
" orientation 1 0 0 4.71238898038469 \n"
" position 1.0003051560171443 4.467528391707541 1.0000035012622697 \n"
" follow \"e-puck\" \n"
"} \n"
"TexturedBackground { \n"
"} \n"
"TexturedBackgroundLight { \n"
"} \n"
"RectangleArena { \n"
" translation "
<< floor_N / 2.0 << " 0 " << floor_M / 2.0 << " \nfloorSize " << floor_N << " " << floor_M << "\n floorTileSize " << TITLE_SIZE << " " << TITLE_SIZE <<
"\n floorAppearance Parquetry { "
"\n type \"dark strip\" "
"\n } "
"\n} \n DEF JEREMY E-puck \n{\n translation " << TITLE_SIZE/2.0 << " 0 " << floor_M - (TITLE_SIZE/2.0) << "\n}\n";
int counter = 0;
for (int i = 1; i < M - 1; ++i)
{
for (int j = 0; j < N - 1; j++)
{
if ((maze[i][j] == '#' && maze[i][j + 1] == '#') || (false && 0 < j && maze[i][j - 1] == '#' && maze[i][j] == '#'))
{
out << "MazeWall { \n translation " << (j + 0.5) * UNIT_SIZE << " 0 " << i * UNIT_SIZE << "\nname \"maze wall(" << counter++ << ")\" \n}" << endl;
}
}
}
for (int i = 0; i < M - 1; ++i)
{
for (int j = 1; j < N - 1; j++)
{
if ((maze[i][j] == '#' && maze[i + 1][j] == '#') || (false && 0 < i && maze[i - 1][j] == '#' && maze[i][j] == '#'))
{
out << "MazeWall { \n translation " << j * UNIT_SIZE << " 0 " << (i + 0.5) * UNIT_SIZE << "\n rotation 0 1 0 -1.570796326 \n name \"maze wall(" << counter++ << " )\" \n }" << endl;
}
}
}
for (int i = 0; i < M; i += 1)
{
for (int j = 0; j < N; j++)
{
cout << maze[i][j] << ' ';
}
cout << endl;
}
}
// A utility function to get the index of cell with indices x, y;
int getIdx(int x, int y, vector<pair<int, pair<int, int>>> cell_list)
{
for (int i = 0; i < cell_list.size(); i++)
{
if (cell_list[i].second.first == x && cell_list[i].second.second == y)
return cell_list[i].first;
}
cout << "getIdx() couldn't find the index!" << endl;
return -1;
}
void createMaze(int M, int N, char **maze)
{
vector<pair<int, pair<int, int>>> cell_list;
vector<bool> visited(m * n, false);
stack<pair<int, pair<int, int>>> m_stack;
random_device rdev;
mt19937 rng(rdev());
uniform_int_distribution<mt19937::result_type> dist100(1, 100);
int nVisited = 0;
int k = 0;
for (int i = 1; i < M; i += 2)
{
for (int j = 1; j < N; j += 2)
{
cell_list.push_back(make_pair(k, make_pair(i, j)));
k++;
}
}
// Generate goal cell
int top_left = (((m / 2) - 1) * n) + (n / 2) - 1;
int top_right = top_left + 1;
int down_left = top_left + n;
int down_right = down_left + 1;
// top left
maze[cell_list[top_left].second.first + 1][cell_list[top_left].second.second + 0] = ' ';
maze[cell_list[top_left].second.first + 0][cell_list[top_left].second.second + 1] = ' ';
visited[cell_list[top_left].first] = true;
nVisited++;
// top right
maze[cell_list[top_right].second.first + 1][cell_list[top_right].second.second + 0] = ' ';
visited[cell_list[top_right].first] = true;
nVisited++;
// down left
maze[cell_list[down_left].second.first + 0][cell_list[down_left].second.second + 1] = ' ';
visited[cell_list[down_left].first] = true;
nVisited++;
// down right
visited[cell_list[down_right].first] = true;
nVisited++;
// Open a single cell to the goal maze
int randIdx = -1;
int openFrom = dist100(rng) % 8;
switch (openFrom)
{
case 0: // open top right -> North
randIdx = top_left - n;
maze[cell_list[randIdx].second.first + 1][cell_list[randIdx].second.second + 0] = ' ';
break;
case 1: // open top right -> North
randIdx = top_right - n;
maze[cell_list[randIdx].second.first + 1][cell_list[randIdx].second.second + 0] = ' ';
break;
case 2: // open top right -> East
randIdx = top_right + 1;
maze[cell_list[randIdx].second.first + 0][cell_list[randIdx].second.second - 1] = ' ';
break;
case 3: // open bottom right -> East
randIdx = down_right + 1;
maze[cell_list[randIdx].second.first + 0][cell_list[randIdx].second.second - 1] = ' ';
break;
case 4: // open bottom right -> South
randIdx = down_right + n;
maze[cell_list[randIdx].second.first - 1][cell_list[randIdx].second.second + 0] = ' ';
break;
case 5: // open bottom left -> South
randIdx = down_left + n;
maze[cell_list[randIdx].second.first - 1][cell_list[randIdx].second.second + 0] = ' ';
break;
case 6: // open bottom left -> West
randIdx = down_left - 1;
maze[cell_list[randIdx].second.first + 0][cell_list[randIdx].second.second + 1] = ' ';
break;
case 7: // open top left -> West
randIdx = top_left - 1;
maze[cell_list[randIdx].second.first + 0][cell_list[randIdx].second.second + 1] = ' ';
break;
}
m_stack.push(cell_list[randIdx]);
visited[randIdx] = true;
nVisited++;
// Algo
while (nVisited < m * n)
{
vector<int> neighbours;
// North
if (m_stack.top().second.first > 1)
{
if (maze[m_stack.top().second.first - 2][m_stack.top().second.second + 0] &&
!visited[getIdx(m_stack.top().second.first - 2, m_stack.top().second.second + 0, cell_list)])
{
neighbours.push_back(0);
}
}
// East
if (m_stack.top().second.second < N - 2)
{
if (maze[m_stack.top().second.first + 0][m_stack.top().second.second + 2] &&
!visited[getIdx(m_stack.top().second.first + 0, m_stack.top().second.second + 2, cell_list)])
{
neighbours.push_back(1);
}
}
// South
if (m_stack.top().second.first < M - 2)
{
if (maze[m_stack.top().second.first + 2][m_stack.top().second.second + 0] &&
!visited[getIdx(m_stack.top().second.first + 2, m_stack.top().second.second + 0, cell_list)])
{
neighbours.push_back(2);
}
}
// West
if (m_stack.top().second.second > 1)
{
if (maze[m_stack.top().second.first + 0][m_stack.top().second.second - 2] &&
!visited[getIdx(m_stack.top().second.first + 0, m_stack.top().second.second - 2, cell_list)])
{
neighbours.push_back(3);
}
}
// Neighbours available?
if (!neighbours.empty())
{
// Choose a random direction
int next_cell_dir = neighbours[dist100(rng) % neighbours.size()];
// Create a path between this cell and neighbour
switch (next_cell_dir)
{
case 0: // North
maze[m_stack.top().second.first - 1][m_stack.top().second.second + 0] = ' ';
m_stack.push(cell_list[getIdx(m_stack.top().second.first - 2, m_stack.top().second.second + 0, cell_list)]);
break;
case 1: // East
maze[m_stack.top().second.first + 0][m_stack.top().second.second + 1] = ' ';
m_stack.push(cell_list[getIdx(m_stack.top().second.first + 0, m_stack.top().second.second + 2, cell_list)]);
break;
case 2: // South
maze[m_stack.top().second.first + 1][m_stack.top().second.second + 0] = ' ';
m_stack.push(cell_list[getIdx(m_stack.top().second.first + 2, m_stack.top().second.second + 0, cell_list)]);
break;
case 3: // West
maze[m_stack.top().second.first + 0][m_stack.top().second.second - 1] = ' ';
m_stack.push(cell_list[getIdx(m_stack.top().second.first + 0, m_stack.top().second.second - 2, cell_list)]);
break;
}
visited[m_stack.top().first] = true;
nVisited++;
}
else
{
m_stack.pop();
}
}
}
int main(int argc, char const *argv[])
{
cout << "Random Maze Generator!" << endl;
cout << "Enter the order of maze you want (rows (> 4) x cols (> 4)): ";
cin >> m >> n;
while (m < 4 || n < 4)
{
cout << "Desired dimensions impossible. Re-enter pls." << endl;
cin >> m >> n;
}
int M = 2 * m + 1;
int N = 2 * n + 1;
char **maze;
maze = new char *[M];
for (int i = 0; i < M; i++)
{
maze[i] = new char[N];
}
for (int i = 0; i < M; i++)
{
for (int j = 0; j < N; j++)
{
if (!(i & 1) || !(j & 1))
maze[i][j] = '#';
else
maze[i][j] = ' ';
}
}
for (int i = 1; i < M; i += 2)
{
for (int j = 1; j < N; j += 2)
{
maze[i][j] = ' ';
}
}
createMaze(M, N, maze);
cout << "Here's the maze you asked for. A maze.wbt is been created. Enjoy! :D" << endl;
displayMaze(M, N, maze);
return 0;
} | [
"priyankaprakashchand@gmail.com"
] | priyankaprakashchand@gmail.com |
fa28f954ec4390c2cb881c251732fbf0a16a00c8 | 037d518773420f21d74079ee492827212ba6e434 | /blazetest/src/mathtest/dmatdmatmin/M5x5bMDa.cpp | f0923f840fb1e654e8b227989e880d96ec09c470 | [
"BSD-3-Clause"
] | permissive | chkob/forked-blaze | 8d228f3e8d1f305a9cf43ceaba9d5fcd603ecca8 | b0ce91c821608e498b3c861e956951afc55c31eb | refs/heads/master | 2021-09-05T11:52:03.715469 | 2018-01-27T02:31:51 | 2018-01-27T02:31:51 | 112,014,398 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,726 | cpp | //=================================================================================================
/*!
// \file src/mathtest/dmatdmatmin/M5x5bMDa.cpp
// \brief Source file for the M5x5bMDa dense matrix/dense matrix minimum math test
//
// Copyright (C) 2012-2018 Klaus Iglberger - All Rights Reserved
//
// This file is part of the Blaze library. You can redistribute it and/or modify it under
// the terms of the New (Revised) BSD License. Redistribution and use in source and binary
// forms, with or without modification, are permitted provided that the following conditions
// are met:
//
// 1. Redistributions of source code must retain the above copyright notice, this list of
// conditions and the following disclaimer.
// 2. Redistributions in binary form must reproduce the above copyright notice, this list
// of conditions and the following disclaimer in the documentation and/or other materials
// provided with the distribution.
// 3. Neither the names of the Blaze development group nor the names of its contributors
// may be used to endorse or promote products derived from this software without specific
// prior written permission.
//
// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY
// EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES
// OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT
// SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
// INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED
// TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR
// BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
// CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
// ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH
// DAMAGE.
*/
//=================================================================================================
//*************************************************************************************************
// Includes
//*************************************************************************************************
#include <cstdlib>
#include <iostream>
#include <blaze/math/DynamicMatrix.h>
#include <blaze/math/StaticMatrix.h>
#include <blazetest/mathtest/Creator.h>
#include <blazetest/mathtest/dmatdmatmin/OperationTest.h>
#include <blazetest/system/MathTest.h>
//=================================================================================================
//
// MAIN FUNCTION
//
//=================================================================================================
//*************************************************************************************************
int main()
{
std::cout << " Running 'M5x5bMDa'..." << std::endl;
using blazetest::mathtest::TypeA;
using blazetest::mathtest::TypeB;
try
{
// Matrix type definitions
typedef blaze::StaticMatrix<TypeB,5UL,5UL> M5x5b;
typedef blaze::DynamicMatrix<TypeA> MDa;
// Creator type definitions
typedef blazetest::Creator<M5x5b> CM5x5b;
typedef blazetest::Creator<MDa> CMDa;
// Running the tests
RUN_DMATDMATMIN_OPERATION_TEST( CM5x5b(), CMDa( 5UL, 5UL ) );
}
catch( std::exception& ex ) {
std::cerr << "\n\n ERROR DETECTED during dense matrix/dense matrix minimum:\n"
<< ex.what() << "\n";
return EXIT_FAILURE;
}
return EXIT_SUCCESS;
}
//*************************************************************************************************
| [
"klaus.iglberger@gmail.com"
] | klaus.iglberger@gmail.com |
b4a3445f44a97923c2fd751451e1ecc7fe9d0304 | 015fffc68ffd1516f00df064502724665e42e7b6 | /01. 剑指offer/13. 调整数组顺序使奇数位于偶数前面.cpp | d7a19193123d157ae677afee72c9524522684175 | [] | no_license | VincentValentine/nowcoder | 7bb2ef4c457ce5c1c460c8a25f801fb59b462cb5 | ccd9e9fedb48ecf2537c4c34c199e5b660963ffb | refs/heads/master | 2020-07-31T10:58:55.024679 | 2019-10-12T15:47:20 | 2019-10-12T15:47:20 | 210,580,406 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 884 | cpp | // 输入一个整数数组,实现一个函数来调整该数组中数字的顺序,使得所有的奇数位于数组的前半部分,所有的偶数位于数组的后半部分。
// 并保证奇数和奇数,偶数和偶数之间的相对位置不变。
// 若不必保证相对位置不变,则可利用双指针,交换数组元素。
class Solution {
public:
void reOrderArray(vector<int> &array) {
int i, len = array.size();
if(len == 0) return ;
queue<int> even, odd;
for(i=0; i<len; ++i) {
if(array[i] & 1) odd.push(array[i]);
else even.push(array[i]);
}
for(i=0; i<len&&!odd.empty(); ++i) {
array[i] = odd.front();
odd.pop();
}
for(; i<len&&!even.empty(); ++i) {
array[i] = even.front();
even.pop();
}
}
};
| [
"noreply@github.com"
] | noreply@github.com |
e1b94d0388dce7960a4f994abdc2c7e344b0d3d8 | bbb7de692ad7e9504276d849783ca88e1f50dcd1 | /AlgoDevoir1/AlgoDevoir1/QuickSortRand.cpp | 95538ba478103a95bb6039f27127d19476f65423 | [] | no_license | Cibouyou/AlgoDevoir1 | 856744e2f266924df5e7aa6e46f4e33da4e97a7f | 6a4a48e086065a06a8e283837b31d22026cc7d30 | refs/heads/master | 2021-01-10T18:20:30.551352 | 2015-05-21T21:28:30 | 2015-05-21T21:28:30 | 35,959,920 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,356 | cpp | //
// QuickSortRand.cpp
// AlgoDevoir1
//
// Created by Nathan Le Ray on 20/05/15.
// Copyright (c) 2015 Nathan Le Ray. All rights reserved.
//
#include "QuickSortRand.h"
#include <iostream>
#include <cstdlib>
#include <ctime>
using namespace std;
QuickSortRand::QuickSortRand(int *_a, int _num) {
this->a = _a;
this->num = _num;
sort(a, 0, num);
}
void QuickSortRand::print() {
cout << endl << endl;
for (int i = 0; i < this->num; i++) {
cout << this->a[i] << " ";
}
cout << endl;
}
void QuickSortRand::sort(int *a, int first, int last) {
int q;
if (first < last)
{
q = random_partition(a, first, last);
sort(a, first, q - 1);
sort(a, q + 1, last);
}
}
int QuickSortRand::random_partition(int *a, int first, int last) {
int pivot_loc;
srand((unsigned) time(0));
pivot_loc = first + rand() % (last - first + 1);
int pivot = a[pivot_loc];
swap(a, pivot_loc, last);
pivot_loc = last;
int i = first - 1;
for(int j = first; j <= last - 1; j++) {
if(a[j] <= pivot) {
i++;
swap(a, i, j);
}
}
swap(a, i + 1, pivot_loc);
return i + 1;
}
void QuickSortRand::swap(int *a, int i, int j) {
int temp;
temp = a[i];
a[i] = a[j];
a[j] = temp;
} | [
"nathan@sxnlabs.com"
] | nathan@sxnlabs.com |
21533b970537532e12b367b9f17f9f5f84c9b47b | a3789a29ee5b96a70b3fe1af73335f934e96a861 | /data_structure/数据结构课设/源.cpp | 2c6fa288b2d6c64acedcc186541d635468466674 | [] | no_license | EmlynLXR/Hust | 61b7ade144613854c2709a44829aba41eeed6a92 | dd798ea1ece67ee48dbb924a8091cee28475e959 | refs/heads/master | 2023-07-22T16:04:47.713705 | 2019-11-26T06:24:18 | 2019-11-26T06:24:18 | 143,226,103 | 1 | 0 | null | null | null | null | GB18030 | C++ | false | false | 68,228 | cpp | #define _CRT_SECURE_NO_DEPRECATE
#include<stdio.h>
#include<malloc.h>
#include<stdlib.h>
#include<string.h>
#include<time.h>
#define OK 1
#define ERROR 0
typedef struct TElemType {
char id[20]; //身份证号
char name[20]; //姓名
struct BSTNode *friends; //好友集
struct BSTNode *fan; //粉丝集
struct BSTNode *concern; //关注人集
struct BSTNode *hobby; //兴趣爱好集
}TElemType;
typedef struct BSTNode {
struct TElemType data; //数据信息
int BF; //平衡因子
struct BSTNode *lchild, *rchild; //左右孩子指针
}BSTNode;
typedef struct Forest {
char name[20];
struct BSTNode *HeadNode; //二叉树头结点
struct Forest *next;
}Forest;
void show(Forest *head); //显示菜单
void show1(); //显示集合操作菜单
int InitAVL(Forest *head, Forest **F);
int DestroyAVL(BSTNode*T);
int DestroyAVL1(Forest *head, Forest *F);
BSTNode*SearchAVL(BSTNode*T, char name[20],int choice);
int InsertAVL(BSTNode*T, TElemType data);
int DeleteAVL(BSTNode*T, char name[20]);
BSTNode *Balance(BSTNode *T);
int Depth(BSTNode *T);
BSTNode*Parent(BSTNode *T, char id[20]);
BSTNode*LL(BSTNode*root);
BSTNode*RR(BSTNode*root);
BSTNode*LR(BSTNode*root);
BSTNode*RL(BSTNode*root);
int set_size(BSTNode*T);
int set_member(BSTNode*T, char id[20]);
int set_intersection(BSTNode*T1, BSTNode*T2,BSTNode*T3);
int set_intersection1(BSTNode*T1, BSTNode*T2);
void copy(BSTNode*T1, BSTNode*T2);
int set_union(BSTNode*T1, BSTNode*T2);
int set_union1(BSTNode*T1, BSTNode*T2);
int set_diffrence(BSTNode*T1, BSTNode*T2, BSTNode*T3);
int set_diffrence1(BSTNode*T1, BSTNode*T2);
int set_subset(BSTNode*T1, BSTNode*T2);
int set_equal(BSTNode*T1, BSTNode*T2);
int search_common(BSTNode*T1, BSTNode*T2);
int second_friends(BSTNode*T1, BSTNode*T2);
BSTNode *aggregate(BSTNode *T, int choice);
int aggregate_init(BSTNode**T, int choice);
int aggregate_destroy(BSTNode*T, int choice);
int Delete(BSTNode*F, char id[20], int choice);
int aggregate_insert(BSTNode*T1, BSTNode*T, int choice, char id[20]);
int InsertAVL2(BSTNode*T1, int choice, TElemType data);
int aggregate_remove(BSTNode*T1, BSTNode*T, int choice, char id[20]);
int operate_aggregate(BSTNode*root, BSTNode*T, int choice);
void TraverseAVL(BSTNode*T); //中序遍历
void TraverseAVL2(BSTNode*T); //前序遍历
void Traverse(Forest *head); //遍历整个森林
Forest *ExAVL(Forest *head, char name[20]);//切换AVL树
int SaveData(Forest*F);
int SaveData1(FILE *fp, BSTNode*T, int choice);
int SaveData2(FILE *fp, BSTNode*T);
int LoadData(Forest*F);
int random(BSTNode *T, int gross);
int random1(BSTNode *F,BSTNode *T, int gross,char hobby[60][20]);
int j=0;//格式化输出
int main()
{
system("color F1");//改变颜色
Forest *head = (Forest*)malloc(sizeof(Forest));
head->HeadNode = NULL; memset(head->name, '0', 20); head->next = NULL;
Forest *F = head->next;
BSTNode *T = (BSTNode*)malloc(sizeof(BSTNode));
BSTNode *T1 = (BSTNode*)malloc(sizeof(BSTNode));
BSTNode *agg1 = NULL, *agg2 = NULL;
Forest *F1 = (Forest*)malloc(sizeof(Forest));
int op = 1;
int choice=0,choice2=0,choice3=0,re=0;
char id[20], name[20]; char s[100];
TElemType data;
while (op)
{
show(F);
scanf("%d", &op); getchar();
switch (op)
{
case 0:
printf("欢迎下次再使用本系统!\n");
getchar(); break;
case 1:case 7:
if (InitAVL(head, &F) == OK)
printf("创建AVL树成功!\n");
else
printf("创建AVL树失败!\n");
getchar();
break;
case 2:case 8:
if (F == NULL)
printf("当前没有活动树!\n");
else if(DestroyAVL1(head, F) == OK)
{
F = NULL;
printf("销毁当前AVL树成功!\n");
}
else
printf("销毁当前AVL树失败!\n");
getchar();
break;
case 3:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,查找失败!");
else
{
re = 0;
while (re == 0)
{
printf("1:按名称查询\t2:按身份证号查询\n"); scanf("%d", &choice3); getchar();
switch (choice3)
{
case 1:re = 1; printf("请输入要查找的成员的名称:"); scanf("%s", name); getchar(); break;
case 2:re = 1; printf("请输入要查找的成员的身份证号:"); scanf("%s", name); getchar(); break;
default:printf("输入错误,请重新选择");
}
}
T = SearchAVL(F->HeadNode->lchild, name,choice3);
if (T != NULL)
{
printf("名称为%s的结点信息如下:\n。", name);
printf("\n身份证号:%s", T->data.id);
printf("\n\n好友集:\n");
j = 0;
if (T->data.friends == NULL|| T->data.friends->lchild==NULL) printf("无");
else TraverseAVL(T->data.friends->lchild);
printf("\n\n粉丝集:\n");
j = 0;
if (T->data.fan == NULL|| T->data.fan->lchild == NULL) printf("无");
else TraverseAVL(T->data.fan->lchild);
printf("\n\n关注人集:\n");
j = 0;
if (T->data.concern == NULL|| T->data.concern->lchild == NULL) printf("无");
else TraverseAVL(T->data.concern->lchild);
printf("\n\n兴趣爱好集:\n");
j = 0;
if (T->data.hobby == NULL|| T->data.hobby->lchild == NULL) printf("无");
else TraverseAVL(T->data.hobby->lchild);
}
else
printf("没有找到符合条件的成员!");
}
getchar();
break;
case 4:case 9:
if (F == NULL)
printf("当前没有活动树!\n");
else
{
printf("请输入所要插入的成员的身份证号:"); scanf("%s", data.id); getchar();
printf("请输入所要插入的成员的名称:"); scanf("%s", data.name); getchar();
data.concern = NULL; data.fan = NULL; data.friends = NULL; data.hobby = NULL;
if (InsertAVL(F->HeadNode, data) == OK)
printf("插入成功!");
else
printf("该身份证号身份已存在,插入失败!");
}
getchar();
break;
case 5:case 10:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,删除失败!");
else
{
printf("请输入要删除的成员的身份证号(若多成员则以空格断开):"); fgets(s, 100, stdin);
for (int i = 0, j = 0; i < 100; i++)
{
if (s[i] == ' ' || s[i] == '\n')
{
id[j] = '\0'; j = 0;
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (DeleteAVL(F->HeadNode, id) == OK)
{
Delete(F->HeadNode->lchild, id, 1);
Delete(F->HeadNode->lchild, id, 2);
Delete(F->HeadNode->lchild, id, 3);
printf("成员%s删除成功!\n", id);
}
else
printf("没有找到成员%s,删除失败!\n",id);
}
else
{
id[j] = s[i]; j++;
}
}
}
getchar();
break;
case 6:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("当前活动树为空树!\n");
else
{
j = 0;
printf("先序遍历:\n");
TraverseAVL2(F->HeadNode->lchild);
j = 0;
printf("\n中序遍历:\n");
TraverseAVL(F->HeadNode->lchild);
}
getchar();
break;
case 11:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("若A集合属于成员的某一集合,则:\nA所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("A为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; agg1 = aggregate(T, choice); break;
default:printf("输入错误,请重新输入");
}
}
if (agg1 == NULL)
{
printf("集合A未初始化,无法进行操作!");
getchar();
break;
}
printf("若B集合属于成员的某一集合,则:\nB所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("B为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice2); getchar();
switch (choice2)
{
case 1:case 2:case 3:case 4:re = 1; agg2 = aggregate(T1, choice2); break;
default:printf("输入错误,请重新输入");
}
}
if (agg2 == NULL)
{
printf("集合B未初始化,无法进行操作!");
getchar();
break;
}
if (set_intersection1(agg1, agg2) == OK)
printf("\n遍历交集成功!");
}
getchar();
break;
case 12:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("若A集合属于成员的某一集合,则:\nA所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("A为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; agg1 = aggregate(T, choice); break;
default:printf("输入错误,请重新输入");
}
}
printf("若B集合属于成员的某一集合,则:\nB所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("B为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice2); getchar();
switch (choice2)
{
case 1:case 2:case 3:case 4:re = 1; agg2 = aggregate(T1, choice2); break;
default:printf("输入错误,请重新输入");
}
}
if (agg1 == NULL)
printf("集合A未初始化,无法进行判断!");
else if (agg2 == NULL)
printf("集合B未初始化,无法进行判断!");
if (set_union1(agg1, agg2) == OK)
printf("\n遍历并集成功!");
}
getchar();
break;
case 13:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("若A集合属于成员的某一集合,则:\nA所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("A为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; agg1 = aggregate(T, choice); break;
default:printf("输入错误,请重新输入");
}
}
printf("若B集合属于成员的某一集合,则:\nB所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("B为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice2); getchar();
switch (choice2)
{
case 1:case 2:case 3:case 4:re = 1; agg2 = aggregate(T1, choice2); break;
default:printf("输入错误,请重新输入");
}
}
if (agg1 == NULL)
printf("集合A未初始化,无法进行判断!");
else if (agg2 == NULL)
printf("集合B未初始化,无法进行判断!");
if (set_diffrence1(agg1, agg2) == OK)
printf("\n遍历差集成功!");
}
getchar();
break;
case 14:
if (F == NULL)
printf("当前没有活动树!\n");
else
printf("该集合中成员个数为:%d。", set_size(F->HeadNode->lchild));
getchar();
break;
case 15:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("请输入所要查找的成员的身份证号:"); scanf("%s", id); getchar();
if (set_member(F->HeadNode->lchild, id) == OK)
printf("该元素是该集合成员!");
else
printf("该元素不是该集合成员!");
}
getchar();
break;
case 16:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("形如A为B的子集,则:\nA所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("A为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; agg1 = aggregate(T, choice); break;
default:printf("输入错误,请重新输入");
}
}
printf("形如A为B的子集,则:\nB所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("B为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice2); getchar();
switch (choice2)
{
case 1:case 2:case 3:case 4:re = 1; agg2 = aggregate(T1, choice2); break;
default:printf("输入错误,请重新输入");
}
}
if (agg1 == NULL)
printf("集合A未初始化,无法进行判断!");
else if (agg2 == NULL)
printf("集合B未初始化,无法进行判断!");
if (set_subset(agg1->lchild, agg2->lchild) == OK)
printf("所输入的A集合是B集合的子集!");
else
printf("所输入的A集合不是B集合的子集!");
}
getchar();
break;
case 17:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("形如A集合与B集合相同,则:\nA所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("A为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; agg1 = aggregate(T, choice); break;
default:printf("输入错误,请重新输入");
}
}
printf("形如A集合与B集合相同,则:\nB所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("B为该结点的哪一集合:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice2); getchar();
switch (choice2)
{
case 1:case 2:case 3:case 4:re = 1; agg2 = aggregate(T1, choice2); break;
default:printf("输入错误,请重新输入");
}
}
if (agg1 == NULL)
printf("集合A未初始化,无法进行判断!");
else if (agg2 == NULL)
printf("集合B未初始化,无法进行判断!");
if (set_equal(agg1->lchild, agg2->lchild) == OK)
printf("所输入的A集合和B集合相同!");
else
printf("所输入的A集合和B集合不相同!");
}
getchar();
break;
case 18:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,初始化失败!");
else
{
printf("请输入所要初始化的成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
printf("没有找到成员%s!", id);
else
{
re = 0;
while (re == 0)
{
printf("选择所要操作的对象:\n1.好友集\t2.粉丝集\t3.关注人集\t4.兴趣爱好集\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:re = 1; break;
default:printf("输入错误,请重新");
}
}
if (aggregate_init(&T, choice) == OK)
printf("初始化集合成功!");
else
printf("初始化集合失败!");
}
}
getchar();
break;
case 19:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("请输入所要操作的成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("请输入所要操作的集合:1.好友集 2.粉丝集 3.关注人集 4.兴趣爱好集 0.Exit\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1:case 2:case 3:case 4:
agg1 = aggregate(T, choice);
if (agg1 == NULL)
{
printf("集合未初始化,不能进行操作!");
re = 1; break;
}
operate_aggregate(F->HeadNode->lchild,T, choice);
break;
case 0:re = 1; printf("已退出成功!"); break;
default:printf("输入错误,");
}
}
}
getchar();
break;
case 20:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("A集合:所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id, 2);
if (T == NULL)
{
printf("没有找到成员%s!",id);
getchar(); break;
}
printf("B集合:所属成员的身份证号:"); scanf("%s", id); getchar();
T1 = SearchAVL(F->HeadNode->lchild, id, 2);
if (T1 == NULL)
{
printf("没有找到成员%s!", id);
getchar(); break;
}
re = 0;
while (re == 0)
{
printf("请选择操作:1. common_friends 2. common_fans 3. common_concerns 4.common_hobbies 0.exit\n"); scanf("%d", &choice); getchar();
switch (choice)
{
case 1: case 2:case 3:case 4:
agg1 = aggregate(T, choice); agg2 = aggregate(T1, choice);
search_common(agg1, agg2); printf("\n");
break;
case 0:re = 1; printf("已成功退出!"); break;
default:printf("输入错误,");
}
}
}
getchar();
break;
case 21:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild == NULL)
printf("该活动树为空树,判断失败!");
else
{
printf("A集合:所属成员的身份证号:"); scanf("%s", id); getchar();
T = SearchAVL(F->HeadNode->lchild, id,2);
if (T == NULL)
printf("没有找到成员%s,查找二度好友失败!",id);
else if (T->data.friends == NULL)
printf("好友集合未初始化,查找二度好友失败!");
else
{
second_friends(F->HeadNode->lchild, T);
printf("\n查找完毕!");
}
}
getchar();
break;
case 22:
if (head == NULL)
printf("当前没有活动树!\n");
else
{
j = 0;
Traverse(head);
printf("请输入要切换的AVL树的名字:"); scanf("%s", name); getchar();
F1 = ExAVL(head, name);
if (F1 == NULL)
printf("输入的名字不存在,切换失败!\n");
else
{
F = F1;
printf("切换成功!");
}
}
getchar();
break;
case 23:
if (SaveData(F) == OK)
printf("数据写入文件成功!");
else
printf("数据写入文件失败!");
getchar();
break;
case 24:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild != NULL)
printf("当前活动树中已存有数据,不能录入数据!");
else if (LoadData(F) == OK)
printf("录入数据成功!");
else
printf("录入数据失败!");
getchar();
break;
case 25:
if (F == NULL)
printf("当前没有活动树!\n");
else if (F->HeadNode->lchild != NULL)
printf("当前活动树中已存有数据,不能随机生成数据!");
else
{
printf("请输入数据规模:"); scanf("%d", &choice); getchar();
if (random(F->HeadNode, choice) == OK)
printf("随机生成成功!");
else
printf("随机生成失败!");
}
getchar();
break;
default:
printf("功能选择是无效的输入!\n");
getchar();
break;
}
}
return 0;
}
/******************
函数名称:random
函数参数:当前AVL树的头指针,数据规模gross
函数功能:随机生成AVL树的成员
返回值:成功返回OK,失败返回ERROR
*******************/
int random(BSTNode *T, int gross)
{
srand(time(NULL));
int i=0,id;
TElemType data;
FILE *fp=NULL;
printf("正在随机生成数据,请稍等。。。\n");
char name[1000][20];//存储从文件里读入的名称
if ((fp = fopen("name.txt", "r")) == NULL)
{
printf("name.txt打开失败!");
return ERROR;
}
while (!feof(fp))
{
fscanf(fp, "%s", name[i]);
if (strcmp(name[i], "#") == 0)break;
i++;
}
for (; i < 1000; i++) strcpy(name[i], "#");
for (i = 1; i <= gross; i++)
{
id = rand() % gross + 1;
sprintf(data.id, "%d", id);
strcpy(data.name,name[i-1]);
data.friends = data.concern= data.fan =data.hobby = NULL;
if (InsertAVL(T, data) == ERROR)i--;
}
i = 0;
if ((fp = fopen("hobby.txt", "r")) == NULL)
{
printf("hobby.txt打开失败!");
return ERROR;
}
char hobby[60][20];
while (!feof(fp))
{
fscanf(fp, "%s", hobby[i]);
if (strcmp(hobby[i], "#") == 0)break;
i++; if (i >= 60)break;
}
for (; i < 60; i++) strcpy(hobby[i], "#");
random1(T, T->lchild, gross, hobby);
fclose(fp);
return OK;
}
/******************
函数名称:random1
函数参数:当前AVL树的遍历指针F,当前结点T,数据规模gross,爱好集合hobby
函数功能:随机生成AVL树的成员
返回值:成功返回OK,失败返回ERROR
*******************/
int random1(BSTNode *F,BSTNode *T, int gross,char hobby[60][20])
{
if (T == NULL)
return OK;
int j,k; char id[20];
k = rand() % (gross/2);
if (T->data.friends == NULL)
aggregate_init(&T, 1);
for (int i = 1; i <=k; i++)
{
j = rand() % gross + 1;
sprintf(id, "%d", j);
aggregate_insert(F->lchild,T->data.friends,1,id);
}
k = rand() % (gross/2);
if (T->data.fan == NULL)
aggregate_init(&T, 2);
for (int i = 1; i <= k; i++)
{
j = rand() % gross + 1;
sprintf(id, "%d", j);
aggregate_insert(F->lchild, T->data.fan, 2, id);
}
k = rand() % (gross/2);
if (T->data.concern == NULL)
aggregate_init(&T, 3);
for (int i = 1; i <= k; i++)
{
j = rand() % gross + 1;
sprintf(id, "%d", j);
aggregate_insert(F->lchild, T->data.concern, 3, id);
}
k = rand() % (gross/2);
if (T->data.hobby == NULL)
aggregate_init(&T, 4);
if (k > 60)k= 60;
for (int i = 1; i <= k; i++)
{
j = rand() % 60;
strcpy(id, hobby[j]);
aggregate_insert(F->lchild, T->data.hobby, 4, id);
}
random1(F,T->lchild, gross,hobby);
random1(F,T->rchild, gross,hobby);
return OK;
}
/******************
函数名称:LoadData
函数参数:文件指针fp,当前AVL树的遍历指针F
函数功能:将指定文件中的内容读入当前AVL树中
返回值:成功返回OK,失败返回ERROR
*******************/
int LoadData(Forest*F)
{
FILE*fp1 = NULL, *fp2 = NULL, *fp3 = NULL, *fp4 = NULL, *fp5 = NULL;
printf("正在录入name数据,请稍等。。。\n");
if ((fp1 = fopen("newname.txt", "r")) == NULL)
{
printf("newname.txt打开失败!");
return ERROR;
}
char id[20]; char name[20];
fscanf(fp1, "%s", id);
fscanf(fp1, "%s", name);
while (!feof(fp1))
{
TElemType data;
strcpy(data.name, name);strcpy(data.id, id);
data.concern = data.fan = data.friends = data.hobby = NULL;
InsertAVL(F->HeadNode, data);
fscanf(fp1, "%s", id);
fscanf(fp1, "%s", name);
}
fclose(fp1);
int num = set_size(F->HeadNode->lchild);
printf("正在录入friends数据,请稍等。。。\n");
if ((fp2 = fopen("newfriends.txt", "r")) == NULL)
{
printf("newfriends.txt打开失败!");
return ERROR;
}
BSTNode*T = NULL;
for (int i = 1; i <= num; i++)
{
fscanf(fp2, "%s", id);
fscanf(fp2, "%s", name);
T = SearchAVL(F->HeadNode->lchild, id,2);
while (1)
{
fscanf(fp2, "%s", id);if(strcmp(id, "#") == 0)break;
fscanf(fp2, "%s", name);
aggregate_init(&T,1);
aggregate_insert(F->HeadNode->lchild, T->data.friends, 1, id);
}
}
fclose(fp2);
printf("正在录入fan数据,请稍等。。。\n");
if ((fp3 = fopen("newfan.txt", "r")) == NULL)
{
printf("newfan.txt打开失败!");
return ERROR;
}
for (int i = 1; i <= num; i++)
{
fscanf(fp3, "%s", id);
fscanf(fp3, "%s", name);
T = SearchAVL(F->HeadNode->lchild, id, 2);
while (1)
{
fscanf(fp3, "%s", id); if (strcmp(id, "#") == 0)break;
fscanf(fp3, "%s", name);
aggregate_init(&T,2);
aggregate_insert(F->HeadNode->lchild, T->data.fan, 2, id);
}
}
fclose(fp3);
printf("正在录入concern数据,请稍等。。。\n");
if ((fp4 = fopen("newconcern.txt", "r")) == NULL)
{
printf("newconcern.txt打开失败!");
return ERROR;
}
for (int i = 1; i <= num; i++)
{
fscanf(fp4, "%s", id);
fscanf(fp4, "%s", name);
T = SearchAVL(F->HeadNode->lchild, id, 2);
while (1)
{
fscanf(fp4, "%s", id); if (strcmp(id, "#") == 0)break;
fscanf(fp4, "%s", name);
aggregate_init(&T,3);
aggregate_insert(F->HeadNode->lchild, T->data.concern, 3, id);
}
}
fclose(fp4);
printf("正在录入hobby数据,请稍等。。。\n");
if ((fp5 = fopen("newhobby.txt", "r")) == NULL)
{
printf("newhobby.txt打开失败!");
return ERROR;
}
for (int i = 1; i <= num; i++)
{
fscanf(fp5, "%s", id);
fscanf(fp5, "%s", name);
T = SearchAVL(F->HeadNode->lchild, id, 2);
while (1)
{
fscanf(fp5, "%s", id);if (strcmp(id, "#") == 0)break;
fscanf(fp5, "%s", name);
aggregate_init(&T,4);
aggregate_insert(F->HeadNode->lchild, T->data.hobby, 4, id);
}
}
fclose(fp5);
return OK;
}
/******************
函数名称:SaveData2
函数参数:文件指针fp,当前AVL树的结点T
函数功能:将当前AVL树的内容存入指定文件
返回值:成功返回OK,失败返回ERROR
*******************/
int SaveData2(FILE *fp, BSTNode*T)
{
if (T) {
SaveData2(fp, T->lchild);
fprintf(fp, "%s %s",T->data.id,T->data.name);
j++; if (j % 20 == 0)fprintf(fp, "\n");else fprintf(fp, " ");
SaveData2(fp, T->rchild);
}
return OK;
}
/******************
函数名称:SaveData1
函数参数:文件指针fp,当前AVL树的结点T,集合选项choice
函数功能:将当前AVL树的内容存入指定文件
返回值:成功返回OK,失败返回ERROR
*******************/
int SaveData1(FILE *fp, BSTNode*T,int choice)
{
if (T)
{
SaveData1(fp, T->lchild, choice);
fprintf(fp, "%s %s ", T->data.id, T->data.name);
switch (choice)
{
case 1:j = 0;
if (T->data.friends != NULL)
SaveData2(fp, T->data.friends->lchild);
break;
case 2:j = 0;
if (T->data.fan != NULL)
SaveData2(fp, T->data.fan->lchild);
break;
case 3:j = 0;
if (T->data.concern != NULL)
SaveData2(fp, T->data.concern->lchild);
break;
case 4:j = 0;
if (T->data.hobby != NULL)
SaveData2(fp, T->data.hobby->lchild);
break;
}
fprintf(fp, "#\n");
SaveData1(fp,T->rchild,choice);
}
return OK;
}
/******************
函数名称:SaveData
函数参数:文件指针fp,当前AVL树的遍历指针F
函数功能:将当前AVL树的内容存入指定文件
返回值:成功返回OK,失败返回ERROR
*******************/
int SaveData(Forest*F)
{
FILE*fp1=NULL,*fp2=NULL, *fp3=NULL, *fp4=NULL, *fp5=NULL;
BSTNode*T = NULL;
printf("正在保存name数据,请稍等。。。\n");
j = 0;
if ((fp1 = fopen("newname.txt", "w")) == NULL)
{
printf("newname.txt打开失败!");
return ERROR;
}
if(F==NULL)fprintf(fp1, "");
else
{
T = F->HeadNode->lchild;
if (T == NULL)fprintf(fp1, "");
else
{
if (SaveData2(fp1, T) == ERROR)
{
fclose(fp1);
return ERROR;
}
}
}
fclose(fp1);
printf("正在保存friends数据,请稍等。。。\n");
if ((fp2 = fopen("newfriends.txt", "w")) == NULL)
{
printf("newfriends.txt打开失败!");
return ERROR;
}
if (F == NULL)fprintf(fp2, "");
else
{
T = F->HeadNode->lchild;
if (T == NULL)fprintf(fp2, "");
else
{
if (SaveData1(fp2, T, 1) == ERROR)
{
fclose(fp2);
return ERROR;
}
}
}
fclose(fp2);
printf("正在保存fan数据,请稍等。。。\n");
if ((fp3 = fopen("newfan.txt", "w")) == NULL)
{
printf("newfan.txt打开失败!");
return ERROR;
}
if (F == NULL)fprintf(fp2, "");
else
{
T = F->HeadNode->lchild;
if (T == NULL)fprintf(fp3, "");
else
{
if (SaveData1(fp3, T, 2) == ERROR)
{
fclose(fp3);
return ERROR;
}
}
}
fclose(fp3);
printf("正在保存concern数据,请稍等。。。\n");
if ((fp4 = fopen("newconcern.txt", "w")) == NULL)
{
printf("newconcern.txt打开失败!");
return ERROR;
}
if (F == NULL)fprintf(fp2, "");
else
{
T = F->HeadNode->lchild;
if (T == NULL)fprintf(fp4, "");
else
{
if (SaveData1(fp4, T, 3) == ERROR)
{
fclose(fp4);
return ERROR;
}
}
}
fclose(fp4);
printf("正在保存hobby数据,请稍等。。。\n");
if ((fp5 = fopen("newhobby.txt", "w")) == NULL)
{
printf("newhobby.txt打开失败!");
return ERROR;
}
if (F == NULL)fprintf(fp2, "");
else
{
T = F->HeadNode->lchild;
if (T == NULL)fprintf(fp5, "");
else
{
if (SaveData1(fp5, T, 4) == ERROR)
{
fclose(fp5);
return ERROR;
}
}
}
fclose(fp5);
return OK;
}
/******************
函数名称:Traverse
函数参数:森林的头结点head
函数功能:对所有AVL树进行中序遍历(同时输出序号和名称,形如1(李))
返回值:无
*******************/
void Traverse(Forest *head)
{
Forest *p = head->next;
if (p == NULL)
printf("当前无树存在!\n");
while (p)
{
printf("树的名字:%s 树的成员个数:%d\n", p->name, set_size(p->HeadNode->lchild));
if (p->HeadNode->lchild == NULL)
printf("该树为空树!");
else
TraverseAVL(p->HeadNode->lchild);
printf("\n\n");
p = p->next;
}
printf("遍历结束,");
}
/******************
函数名称:ExAVL
函数参数:森林的头结点head,名称name
函数功能:将活动树切换为名称为name的AVL树
返回值:成功返回指向切换后的树的遍历指针,失败返回NULL
*******************/
Forest *ExAVL(Forest *head, char name[20])
{
Forest *q = head->next;
while (q)
{
if (strcmp(q->name, name) == 0)
break;
q = q->next;
}
return q;
}
/******************
函数名称:operate_aggregate
函数参数:AVL树的根结点root,集合所属结点T,集合选项choice
函数功能:对指定集合进行销毁、增添、删除、修改、查找、遍历、统计规模的操作
返回值:返回OK
*******************/
int operate_aggregate(BSTNode*root, BSTNode*T, int choice)
{
BSTNode*node = NULL,*T1=NULL;
char s[100];
switch (choice)
{
case 1:T1 = T->data.friends; break;
case 2:T1 = T->data.fan; break;
case 3:T1 = T->data.concern; break;
case 4:T1 = T->data.hobby; break;
}
int op = 1, re = 0; char id[20], id2[20];
while (op)
{
show1();
scanf("%d", &op); getchar();
switch (op)
{
case 0:
printf("已退出对当前集合的操作!\n");
break;
case 1:
if (DestroyAVL(T1->lchild) == OK)
{
switch (choice)
{
case 1:T->data.friends = NULL; break;
case 2:T1 = T->data.fan = NULL; break;
case 3:T1 = T->data.concern = NULL; break;
case 4:T1 = T->data.hobby = NULL; break;
}
Delete(root, T->data.id, choice);
printf("集合销毁成功!\n");
}
else
printf("销毁失败!\n");
break;
case 2:
printf("请输入要插入的成员的身份证号(若多成员则以空格断开):");
fgets(s, 100, stdin);
for (int i = 0, j = 0; i < 100; i++)
{
if (s[i] == ' ' || s[i] == '\n')
{
id[j] = '\0'; j = 0;
if (aggregate_insert(root, T1, choice, id) == OK)
printf("成员%s插入成功!\n", id);
else
printf("成员%s插入失败!\n", id);
}
else
{
id[j] = s[i]; j++;
}
}
break;
case 3:
printf("请输入要删除的成员的身份证号(若多成员则以空格断开):"); fgets(s, 100, stdin);
for (int i = 0, j = 0; i < 100; i++)
{
if (s[i] == ' ' || s[i] == '\n')
{
id[j] = '\0'; j = 0;
if (aggregate_remove(root, T1, choice, id) == OK)
printf("成员%s删除成功!\n",id);
else
printf("成员%s不存在,删除失败!\n",id);
}
else
{
id[j] = s[i]; j++;
}
}
break;
case 4:
printf("请输入修改前的成员的身份证号:"); scanf("%s", id); getchar();
if (SearchAVL(T1->lchild, id, 2) != NULL)
{
printf("请输入修改后的成员的身份证号:"); scanf("%s", id2); getchar();
if (SearchAVL(T1->lchild, id, 2) != NULL)
{
if (aggregate_remove(root, T1, choice, id) == OK)
{
aggregate_insert(root, T1, choice, id2);printf("修改成功!\n");
}
}
else
printf("不存在身份证号为%s的成员,修改失败!\n", id2);
}
else
printf("不存在身份证号为%s的成员,修改失败!\n", id);
break;
case 5:
printf("请输入要查找的成员的身份证号:"); scanf("%s", id); getchar();
node = SearchAVL(T1->lchild, id, 2);
if (node == NULL)
printf("不存在身份证号为%s的成员,查找失败!\n", id);
else
printf("查找成功!\n身份证号:%s 名称:%s\n", node->data.id, node->data.name);
break;
case 6:
if (T1->lchild == NULL)
printf("集合为空集!");
else
{
j = 0;
printf("先序遍历:\n");
TraverseAVL2(T1->lchild);
j = 0;
printf("\n中序遍历:\n");
TraverseAVL(T1->lchild);
}
printf("\n");
break;
case 7:
printf("该集合中成员个数为:%d。\n", set_size(T1->lchild));
break;
default:
printf("功能选择是无效的输入!\n");
break;
}
}
return OK;
}
/******************
函数名称:show1
函数参数:无
函数功能:显示关于集合操作的伪菜单界面
返回值:无
*******************/
void show1()
{
printf("1. Destroy 2. Insert 3. Delete 4. Revise 5. Search 6. Traverse 7. Size 0. Exit\n");
}
/******************
函数名称:aggregate_remove
函数参数:当前AVL树的根结点T,所要进行删除的集合所属于的成员结点,集合选项choice,身份证号id
函数功能:将对应集合删除一个身份证号id的成员
返回值:成功返回OK,失败返回ERROR
*******************/
int aggregate_remove(BSTNode*T1, BSTNode*T, int choice, char id[20])
{
BSTNode*node = NULL;
if (choice == 4)
node = SearchAVL(T->lchild, id, 2);
else
node = SearchAVL(T1, id, 2);
if (node == NULL)
{
printf("没有找到符合条件的结点,");
return ERROR;
}
if (T == NULL)
{
printf("该集合未初始化,");
return ERROR;
}
switch (choice)
{
case 1:
if (DeleteAVL(T, id) == OK)
{
DeleteAVL(node->data.friends, T->data.id);
return OK;
}
else return ERROR;
case 2:
if (DeleteAVL(T, id) == OK)
{
DeleteAVL(node->data.concern, T->data.id);
return OK;
}
else return ERROR;
case 3:
if (DeleteAVL(T, id) == OK)
{
DeleteAVL(node->data.fan, T->data.id);
return OK;
}
else return ERROR;
case 4://删除T的爱好集合中身份证号为id的结点,不需要反向删除
if (DeleteAVL(T, id) == OK)return OK;
}
return ERROR;
}
/******************
函数名称:aggregate_insert
函数参数:AVL树的根结点,所要进行插入的集合所属于的成员结点,集合选项choice,身份证号id
函数功能:将对应集合插入一个身份证号id的成员
返回值:成功返回OK,失败返回ERROR
*******************/
int aggregate_insert(BSTNode*T1, BSTNode*T, int choice, char id[20])
{
if (strcmp(T->data.id, id) == 0)return ERROR;
BSTNode*node = NULL;
if (choice == 4)//如果插入的时爱好集合,则将name存为0,在id中存入爱好
{
node = (BSTNode*)malloc(sizeof(BSTNode));
strcpy(node->data.id, id); strcpy(node->data.name, "0");
node->data.concern = NULL; node->data.friends = NULL;
node->data.fan = NULL; node->data.hobby = NULL;
node->lchild = node->rchild = NULL;
}
else//如果不是,则在AVL树中查找到身份证号为id的结点,以便实现反向添加
{
node = SearchAVL(T1, id, 2);
if (node == NULL)
{
printf("没有找到符合条件的结点,");
return ERROR;
}
}
if (T == NULL)
{
printf("该集合未初始化,");
return ERROR;
}
else if (SearchAVL(T->lchild, id, 2) != NULL)
return ERROR;
//在T的好友集合中插入node.data并在node的好友集合插入T.data
if (InsertAVL(T, node->data) == OK&&InsertAVL2(node, choice, T->data) == OK)
return OK;
return ERROR;
}
/******************
函数名称:InsertAVL2
函数参数:AVL树的头结点,集合选项choice,数据结构data
函数功能:插入一个数据域为data的结点(仅用于完善集合,即在集合未初始化时,自行初始化集合)
返回值:成功返回OK,失败返回ERROR
*******************/
int InsertAVL2(BSTNode*T1, int choice, TElemType data)
{
BSTNode*T = NULL;
switch (choice)
{
case 1:
if (T1->data.friends == NULL)//若集合没有初始化,则先初始化
aggregate_init(&T1, 1);
T = T1->data.friends->lchild;
if (T == NULL)
{
T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->data = data;
T->lchild = NULL; T->rchild = NULL;
T1->data.friends->lchild = T;
return OK;
}
break;
case 2:
if (T1->data.concern == NULL)//若集合没有初始化,则先初始化
aggregate_init(&T1, 3);
T = T1->data.concern->lchild;
if (T == NULL)
{
T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->data = data;
T->lchild = NULL; T->rchild = NULL;
T1->data.concern->lchild = T;
return OK;
}
break;
case 3:
if (T1->data.fan == NULL)//若集合没有初始化,则先初始化
aggregate_init(&T1, 2);
T = T1->data.fan->lchild;
if (T == NULL)
{
T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->data = data;
T->lchild = NULL; T->rchild = NULL;
T1->data.fan->lchild = T;
return OK;
}
break;
case 4:return OK;
}
BSTNode*pre = NULL, *current = T;
while (current != NULL)
{
if (strcmp(current->data.id, data.id) == 0)
return ERROR;
pre = current;
current = (strcmp(data.id, pre->data.id)>0) ? pre->rchild : pre->lchild;
}
current = (struct BSTNode*)malloc(sizeof(struct BSTNode)); current->BF = 0; current->data = data;
current->lchild = NULL; current->rchild = NULL;
if (strcmp(data.id, pre->data.id)>0) pre->rchild = current;
else pre->lchild = current;
switch (choice)
{
case 1:
T1->data.friends->lchild = Balance(T);
if (T1->data.friends->lchild != NULL)
return OK;
case 2:
T1->data.concern->lchild = Balance(T);
if (T1->data.concern->lchild != NULL)
return OK;
case 3:
T1->data.fan->lchild = Balance(T);
if (T1->data.fan->lchild != NULL)
return OK;
}
return ERROR;
}
/******************
函数名称:aggregate_destroy
函数参数:当前进行操作的集合所属的成员结点,集合选项choice
函数功能:销毁当前AVL树
返回值:成功返回OK,失败返回ERROR
*******************/
int aggregate_destroy(BSTNode*T, int choice)
{
switch (choice)
{
case 1:
if (T->data.friends == NULL)
return ERROR;
DestroyAVL(T->data.friends->lchild);
T->data.friends = NULL;
break;
case 2:
if (T->data.fan == NULL)
return ERROR;
DestroyAVL(T->data.fan->lchild);
T->data.fan = NULL;
break;
case 3:
if (T->data.concern == NULL)
return ERROR;
DestroyAVL(T->data.concern->lchild);
T->data.concern = NULL;
break;
case 4:
if (T->data.hobby == NULL)
return ERROR;
DestroyAVL(T->data.hobby->lchild);
T->data.hobby = NULL;
break;
}
return OK;
}
/******************
函数名称:Delete
函数参数:当前进行操作的AVL树的根结点,集合所属的成员身份证号,集合选项choice
函数功能:删除掉原来集合中所销毁的
返回值:成功返回OK,失败返回ERROR
*******************/
int Delete(BSTNode*F, char id[20], int choice)
{
if (F == NULL)
return OK;
BSTNode*node = NULL;
switch (choice)
{
case 1://反向删除F结点好友集中的id为T.data.id的成员
if (F->data.friends == NULL)return OK;
DeleteAVL(F->data.friends, id);
break;
case 2://反向删除F结点关注人集中的id为T.data.id的成员
if (F->data.concern == NULL)return OK;
DeleteAVL(F->data.concern, id); break;
case 3://反向删除F结点粉丝集中的id为T.data.id的成员
if (F->data.fan == NULL)return OK;
DeleteAVL(F->data.fan, id); break;
case 4:return OK;//爱好集合不需要反向删除
}
Delete(F->lchild, id, choice); Delete(F->rchild, id, choice);
return OK;
}
/******************
函数名称:aggregate_init
函数参数:当前进行操作的集合所属的成员结点,集合选项choice
函数功能:初始化集合
返回值:成功返回OK,失败返回ERROR
*******************/
int aggregate_init(BSTNode**T, int choice)
{
switch (choice)
{
case 1:
if ((*T)->data.friends == NULL)//初始化好友集合
{
(*T)->data.friends = (BSTNode*)malloc(sizeof(BSTNode));
(*T)->data.friends->BF = 0; (*T)->data.friends->lchild = NULL; (*T)->data.friends->rchild = NULL;
strcpy((*T)->data.friends->data.id, (*T)->data.id); strcpy((*T)->data.friends->data.name, (*T)->data.name);
(*T)->data.friends->data.hobby = NULL; (*T)->data.friends->data.friends = NULL;
(*T)->data.friends->data.fan = NULL; (*T)->data.friends->data.concern = NULL;
return OK;
}
case 2:
if ((*T)->data.fan == NULL)//初始化粉丝集合
{
(*T)->data.fan = (BSTNode*)malloc(sizeof(BSTNode));
(*T)->data.fan->BF = 0; (*T)->data.fan->lchild = NULL; (*T)->data.fan->rchild = NULL;
strcpy((*T)->data.fan->data.id, (*T)->data.id); strcpy((*T)->data.fan->data.name, (*T)->data.name);
(*T)->data.fan->data.hobby = NULL; (*T)->data.fan->data.friends = NULL;
(*T)->data.fan->data.fan = NULL; (*T)->data.fan->data.concern = NULL;
return OK;
}
case 3:
if ((*T)->data.concern == NULL)//初始化关注人集合
{
(*T)->data.concern = (BSTNode*)malloc(sizeof(BSTNode));
(*T)->data.concern->BF = 0; (*T)->data.concern->lchild = NULL; (*T)->data.concern->rchild = NULL;
strcpy((*T)->data.concern->data.id, (*T)->data.id); strcpy((*T)->data.concern->data.name, (*T)->data.name);
(*T)->data.concern->data.hobby = NULL; (*T)->data.concern->data.friends = NULL;
(*T)->data.concern->data.fan = NULL; (*T)->data.concern->data.concern = NULL;
return OK;
}
case 4:
if ((*T)->data.hobby == NULL)//初始化好友集合
{
(*T)->data.hobby = (BSTNode*)malloc(sizeof(BSTNode));
(*T)->data.hobby->BF = 0; (*T)->data.hobby->lchild = NULL; (*T)->data.hobby->rchild = NULL;
strcpy((*T)->data.hobby->data.id, (*T)->data.id); strcpy((*T)->data.hobby->data.name, (*T)->data.name);
(*T)->data.hobby->data.hobby = NULL; (*T)->data.hobby->data.friends = NULL;
(*T)->data.hobby->data.fan = NULL; (*T)->data.hobby->data.concern = NULL;
return OK;
}
}
return ERROR;
}
/******************
函数名称:aggregate
函数参数:成员结点T和集合选项choice
函数功能:返回所需集合的头指针
返回值:所需集合的头指针
*******************/
BSTNode*aggregate(BSTNode *T, int choice)
{
switch (choice)
{
case 1:return T->data.friends; break;
case 2:return T->data.fan; break;
case 3:return T->data.concern; break;
case 4:return T->data.hobby; break;
}
}
/******************
函数名称:search_common
函数参数:两个集合的头指针T1、T2
函数功能:输出T1和T2的交集
返回值:成功返回OK,失败返回ERROR
*******************/
int search_common(BSTNode*T1, BSTNode*T2)
{
if (T1 == NULL || T2 == NULL)
{
printf("空集!");
return OK;
}
BSTNode*T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->lchild = NULL; T->rchild = NULL;
//求T1和T2的集合的交集,并生成AVL树,T为AVL树的头结点
set_intersection(T, T1->lchild, T2->lchild);
j = 0;
if (T->lchild == NULL)
printf("空集!");
else//若集合的交集非空,则遍历输出交集T
TraverseAVL(T->lchild);
return OK;
}
/******************
函数名称:second_friends
函数参数:遍历指针T1和所要查找的结点T
函数功能:输出和T是二度好友的结点的信息
返回值:成功返回OK,失败返回ERROR
*******************/
int second_friends(BSTNode*T1, BSTNode*T)
{
if (T1 == NULL)
return OK;
second_friends(T1->lchild, T);
if (set_member(T->data.friends->lchild, T1->data.id));
else if (T1->data.friends == NULL);
else if (strcmp(T1->data.id, T->data.id) != 0)
{
BSTNode*node = (struct BSTNode*)malloc(sizeof(struct BSTNode));
node->BF = 0; node->lchild = NULL; node->rchild = NULL;
//求T1和T2的好友集合的交集,并生成AVL树,T为AVL树的头结点
set_intersection(node, T->data.friends->lchild, T1->data.friends->lchild);
j = 0;
if (node->lchild != NULL)//若非空则T1为T的二度好友,输出T1的相关信息
printf("身份证号:%s 姓名:%s\n", T1->data.id, T1->data.name);
}
second_friends(T1->rchild, T);
return OK;
}
/******************
函数名称:set_subset
函数参数:AVL树的根结点T1、T2
函数功能:T1是否和T2相同
返回值:是返回OK,不是返回ERROR
*******************/
int set_equal(BSTNode*T1, BSTNode*T2)
{
//如果T1是T2的子集且T2是T1的子集,则T1与T2相同
if (set_subset(T1, T2) == OK&&set_subset(T2, T1) == OK)
return OK;
else return ERROR;
}
/******************
函数名称:set_subset
函数参数:AVL树的根结点T1、T2
函数功能:求T1是否是T2的子集
返回值:是返回OK,不是返回ERROR
*******************/
int set_subset(BSTNode*T1, BSTNode*T2)
{
if (T1 == NULL)return OK;
if (set_member(T2, T1->data.id)==OK)
{
if (!set_subset(T1->lchild, T2))return ERROR;
if (!set_subset(T1->rchild, T2))return ERROR;
return OK;
}
else return ERROR;
}
/******************
函数名称:set_member
函数参数:AVL树的根结点T,身份证号id
函数功能:求身份证号为id的成员是否输入结点T的某集合
返回值:是返回OK,不是返回ERROR
*******************/
int set_member(BSTNode*T, char id[20])
{
if(T==NULL)
return ERROR;
if (SearchAVL(T, id,2) != NULL)return OK;
return ERROR;
}
/******************
函数名称:set_intersection
函数参数:所要进行操作的两个集合所属于的两个成员结点T1、T2、T3
函数功能:将存在于T3且存在于T2的结点添加到T1中
返回值:成功返回OK,失败返回ERROR
*******************/
int set_intersection(BSTNode*T1, BSTNode*T2, BSTNode*T3)
{
if (T3 == NULL||T2==NULL)
return OK;
if (SearchAVL(T2, T3->data.id,2) != NULL)
{
TElemType data;
strcpy(data.id,T3->data.id); strcpy(data.name, T3->data.name);
data.concern = NULL; data.fan = NULL; data.friends = NULL; data.hobby = NULL;
InsertAVL(T1, data);
}
set_intersection(T1, T2, T3->lchild);
set_intersection(T1, T2, T3->rchild);
return OK;
}
/******************
函数名称:set_intersection1
函数参数:所要进行操作的两个集合头指针T1、T2
函数功能:求两集合的交集
返回值:成功返回OK,失败返回ERROR
*******************/
int set_intersection1(BSTNode*T1, BSTNode*T2)
{
BSTNode*T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->lchild = NULL; T->rchild = NULL;
if (T1 == NULL || T2 == NULL)return ERROR;
set_intersection(T, T1->lchild, T2->lchild);
j = 0;
if (T->lchild == NULL)
printf("交集为空集!");
else
TraverseAVL(T->lchild);
return OK;
}
/******************
函数名称:set_union
函数参数:所要进行操作的两个集合所属于的两个成员结点T1、T2
函数功能:将存在于T2而不存在于T1的结点添加到T1中
返回值:成功返回OK,失败返回ERROR
*******************/
int set_union(BSTNode*T1, BSTNode*T2)
{
if (T2 == NULL)
return OK;
if (SearchAVL(T1, T2->data.id,2) == NULL)
{
TElemType data;
strcpy(data.id, T2->data.id); strcpy(data.name, T2->data.name);
data.concern = NULL; data.fan = NULL; data.friends = NULL; data.hobby = NULL;
InsertAVL(T1, data);
}
set_union(T1, T2->lchild);
set_union(T1, T2->rchild);
return OK;
}
/******************
函数名称:copy
函数参数:所要进行操作的两个集合所属于的两个成员结点T1、T2
函数功能:将存在于T2的结点添加到T1中
返回值:成功返回OK,失败返回ERROR
*******************/
void copy(BSTNode*T1, BSTNode*T2)
{
if (T2 == NULL)
return;
TElemType data;
strcpy(data.id,T2->data.id); strcpy(data.name, T2->data.name);
data.concern = NULL; data.fan = NULL; data.friends = NULL; data.hobby = NULL;
InsertAVL(T1, data);
copy(T1, T2->lchild);
copy(T1, T2->rchild);
}
/******************
函数名称:set_union1
函数参数:所要进行操作的两个集合头指针T1、T2
函数功能:求两集合的并集
返回值:成功返回OK,失败返回ERROR
*******************/
int set_union1(BSTNode*T1, BSTNode*T2)
{
BSTNode*T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->lchild = NULL; T->rchild = NULL;
if (T1 == NULL || T2 == NULL)return ERROR;
copy(T, T1->lchild);
set_union(T, T2->lchild);
j = 0;
if (T->lchild == NULL)
printf("并集为空集!");
else
TraverseAVL(T->lchild);
return OK;
}
/******************
函数名称:set_diffrence
函数参数:所要进行操作的两个集合所属于的两个成员结点T1、T2、T3
函数功能:将存在于T3而不存在于T2的结点添加到T1中
返回值:成功返回OK,失败返回ERROR
*******************/
int set_diffrence(BSTNode*T1, BSTNode*T2, BSTNode*T3)
{
if (T3 == NULL || T2 == NULL)
return OK;
if (SearchAVL(T2, T3->data.id,2) == NULL)
{
TElemType data;
strcpy(data.id, T3->data.id); strcpy(data.name, T3->data.name);
data.concern = NULL; data.fan = NULL; data.friends = NULL; data.hobby = NULL;
InsertAVL(T1, data);//将data插入到T1中
}
set_diffrence(T1, T2, T3->lchild);
set_diffrence(T1, T2, T3->rchild);
return OK;
}
/******************
函数名称:set_diffrence1
函数参数:所要进行操作的两个集合的头指针T1、T2
函数功能:求两集合的差集
返回值:成功返回OK,失败返回ERROR
*******************/
int set_diffrence1(BSTNode*T1, BSTNode*T2)
{
BSTNode*T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->lchild = NULL; T->rchild = NULL;
if (T1 == NULL || T2 == NULL)return ERROR;
set_diffrence(T, T1->lchild, T2->lchild); set_diffrence(T, T2->lchild, T1->lchild);
j = 0;
if (T->lchild == NULL)
printf("差集为空集!");
else
TraverseAVL(T->lchild);
return OK;
}
/******************
函数名称:set_size
函数参数:当前AVL树的根结点
函数功能:求集合的规模
返回值:成功返回集合规模
*******************/
int set_size(BSTNode*T)
{
if (T == NULL)
return 0;
else
return set_size(T->lchild) + set_size(T->rchild) + 1;
}
/******************
函数名称:TraverseAVL
函数参数:AVL树的根结点
函数功能:对当前AVL树进行中序遍历(同时输出序号和名称,形如1(李))
返回值:无
*******************/
void TraverseAVL(BSTNode*T)
{
if (T)
{
TraverseAVL(T->lchild);
printf("%s(%s)", T->data.name, T->data.id);
j++; if(j % 10 == 0)printf("\n"); else printf(" ");
TraverseAVL(T->rchild);
}
return;
}
/******************
函数名称:TraverseAVL2
函数参数:AVL树的根结点
函数功能:对当前AVL树进行先序遍历(同时输出序号和名称,形如1(李))
返回值:无
*******************/
void TraverseAVL2(BSTNode*T)
{
if (T)
{
printf("%s(%s)", T->data.name, T->data.id);
j++; if(j % 10 == 0 )printf("\n"); else printf(" ");
TraverseAVL2(T->lchild);
TraverseAVL2(T->rchild);
}
return;
}
/******************
函数名称:LL
函数参数:AVL树的根结点
函数功能:插入旋转根的左孩子的左子树而导致失衡的情况需要进行RR旋转
返回值:旋转后新的根结点
*******************/
BSTNode*LL(BSTNode*root)
{
BSTNode*newroot = root->lchild;
root->lchild = newroot->rchild;
newroot->rchild = root;
if (newroot->BF == 1)
{
root->BF = 0;
newroot->BF = 0;
}
else
{
root->BF = 1;
newroot->BF = -1;
}
return newroot;
}
/******************
函数名称:RR
函数参数:AVL树的根结点
函数功能:插入旋转根的右孩子的右子树而导致失衡的情况需要进行RR旋转
返回值:旋转后新的根结点
*******************/
BSTNode*RR(BSTNode*root)
{
BSTNode*newroot = root->rchild;
root->rchild = newroot->lchild;
newroot->lchild = root;
if (newroot->BF == -1)
{
root->BF = 0;
newroot->BF = 0;
}
else
{
root->BF = -1;
newroot->BF = 1;
}
return newroot;
}
/******************
函数名称:LR
函数参数:AVL树的根结点
函数功能:插入旋转根的左孩子的右子树而导致失衡的情况需要进行LR旋转
返回值:旋转后新的根结点
*******************/
BSTNode*LR(BSTNode*root)
{
BSTNode*root1 = root->lchild;
BSTNode*newroot = root1->rchild;
root->lchild = newroot->rchild;
root1->rchild = newroot->lchild;
newroot->lchild = root1;
newroot->rchild = root;
switch (newroot->BF) //改变平衡因子
{
case 0:
root->BF = 0;
root1->BF = 0;
break;
case 1:
root->BF = -1;
root1->BF = 0;
break;
case -1:
root->BF = 0;
root1->BF = 1;
break;
}
newroot->BF = 0;
return newroot;
}
/******************
函数名称:RL
函数参数:AVL树的根结点
函数功能:插入旋转根的右孩子的左子树而导致失衡的情况需要进行RL旋转
返回值:旋转后新的根结点
*******************/
BSTNode*RL(BSTNode*root)
{
BSTNode*root1 = root->rchild;
BSTNode*newroot = root1->lchild;
root->rchild = newroot->lchild;
root1->lchild = newroot->rchild;
newroot->rchild = root1;
newroot->lchild = root;
switch (newroot->BF)
{
case 0:
root->BF = 0;
root1->BF = 0;
break;
case 1:
root->BF = 0;
root1->BF = -1;
break;
case -1:
root->BF = 1;
root1->BF = 0;
break;
}
newroot->BF = 0;
return newroot;
}
/******************
函数名称:DeleteAVL
函数参数:AVL树的头结点,所要删除的结点的身份证号
函数功能:删除名称为name的结点
返回值:成功返回OK,失败返回ERROR
*******************/
int DeleteAVL(BSTNode*T1, char id[20])
{
if (T1 == NULL)return ERROR;
BSTNode*T = T1->lchild;
BSTNode*node = NULL;
node = SearchAVL(T, id, 2);
if (node == NULL||T==NULL)//所要查找的结点不存在或者当前AVL树为空树则返回ERROR
{
return ERROR;
}
BSTNode*temp1=NULL,*temp2=NULL;
if (node->lchild != NULL&&node->rchild != NULL)
{
temp1 = node->lchild; temp2 = node;
while (temp1->rchild != NULL)
{
temp2 = temp1;
temp1 = temp1->rchild;
}
if (temp1->lchild == NULL)
{
if (temp2 != node)
{
temp1->lchild = node->lchild; temp1->rchild = node->rchild;
temp2->rchild = NULL;
}
else
temp1->rchild = node->rchild;
}
if (node == T)//如果要删除的结点为根结点,修改根结点
T = temp1;
else
{
BSTNode*prenode = Parent(T, node->data.id);//调用函数用prenode存储所要删除结点的双亲结点
if (strcmp(temp1->data.id, prenode->data.id) > 0)
prenode->rchild = temp1;
else
prenode->lchild = temp1;
}
node->lchild = NULL; node->rchild = NULL;
free(node);
}
else if (node->lchild == NULL&&node->rchild == NULL)
{
if (node == T)
T = NULL;
else
{
BSTNode*prenode = Parent(T, node->data.id);
if (strcmp(node->data.id, prenode->data.id) > 0)
prenode->rchild = NULL;
else
prenode->lchild = NULL;
}
}
else if (node->lchild == NULL&&node->rchild != NULL)
{
if (node == T)
T = T->rchild;
else
{
BSTNode*prenode = Parent(T, node->data.id);
if (strcmp(node->data.id, prenode->data.id) > 0)
prenode->rchild = node->rchild;
else
prenode->lchild = node->rchild;
}
}
else if (node->lchild != NULL&&node->rchild == NULL)
{
if (node == T)
T = T->lchild;
else
{
BSTNode*prenode = Parent(T, node->data.id);
if (strcmp(node->data.id, prenode->data.id) > 0)
prenode->rchild = node->lchild;
else
prenode->lchild = node->lchild;
}
}
T1->lchild=Balance(T);
return OK;
}
/******************
函数名称:InsertAVL
函数参数:AVL树的头结点,数据结构data
函数功能:插入一个数据域为data的结点
返回值:成功返回OK,失败返回ERROR
*******************/
int InsertAVL(BSTNode*T1, TElemType data)
{
if (T1 == NULL)
{
printf("未初始化,");
return ERROR;
}
BSTNode*T = T1->lchild;
if (T == NULL)//插入前为空树
{
T = (struct BSTNode*)malloc(sizeof(struct BSTNode));
T->BF = 0; T->data = data;
T->lchild = NULL; T->rchild = NULL;
T1->lchild = T;
return OK;
}
BSTNode*pre = NULL, *current = T;
while (current != NULL)//查找到所要插入的位置,并用pre保存所要插入位置的双亲结点
{
if (strcmp(current->data.id,data.id)==0)
return ERROR;
pre = current;
current = (strcmp(data.id, pre->data.id)>0) ? pre->rchild : pre->lchild;
}
current = (struct BSTNode*)malloc(sizeof(struct BSTNode)); current->BF = 0; current->data = data;
current->lchild = NULL; current->rchild = NULL;
if (strcmp(data.id,pre->data.id)>0) pre->rchild = current;
else pre->lchild = current;
T1->lchild = Balance(T);
if (T1->lchild != NULL)
return OK;
else return ERROR;
}
/******************
函数名称:Balance
函数参数:AVL树的根结点
函数功能:将插入新结点后的AVL树调整至平衡
返回值:成功返回新的根结点
*******************/
BSTNode *Balance(BSTNode *T)
{
BSTNode *root = NULL;
if (T == NULL)return T;
T->lchild=Balance(T->lchild);//将T的左子树调整至AVL树
T->rchild=Balance(T->rchild);//将T的右子树调整至AVL树
T->BF = Depth(T->lchild) - Depth(T->rchild);//赋值平衡因子
if (T->BF == 0 || T->BF == -1 || T->BF == 1)
return T;
if (T->BF == 2)
{
int BF = T->lchild->BF;
if (BF == -1)
root = LR(T);
else if (BF == 1)
root = LL(T);
else //删除时选用
root = LL(T);
}
else if (T->BF == -2)
{
int BF = T->rchild->BF;
if (BF == -1)
root = RR(T);
else if (BF == 1)
root = RL(T);
else //删除时选用
root = RR(T);
}
return root;
}
/******************
函数名称:Depth
函数参数:AVL树的根结点
函数功能:返回AVL树的深度
返回值:返回AVL树的深度
*******************/
int Depth(BSTNode *T)
{
int deep = 0;
if (T)
{
int leftdeep = Depth(T->lchild);
int rightdeep = Depth(T->rchild);
deep = leftdeep >= rightdeep ? leftdeep + 1 : rightdeep + 1;
}
return deep;
}
/******************
函数名称:Parent
函数参数:AVL树的根结点,序号id
函数功能:寻找双亲结点
返回值:如果查找到返回结点指针,否则返回NULL
*******************/
BSTNode*Parent(BSTNode *T, char id[20])
{
if (T == NULL)return NULL;
if ((T->lchild != NULL && strcmp(id, T->lchild->data.id) == 0) || (T->rchild != NULL && strcmp(id, T->rchild->data.id) == 0))
return T;
else {
BSTNode * temp = NULL;
if (strcmp(id, T->data.id)>0)
temp = Parent(T->rchild, id);
if (strcmp(id, T->data.id)<0)
temp = Parent(T->lchild, id);
return temp;
}
}
/******************
函数名称:SearchAVL
函数参数:当前AVL树的根结点,所要查找的结点的名称,功能选项choice
函数功能:查找名称为name的结点或身份证号为name的结点
返回值:成功返回结点指针,失败返回NULL
*******************/
BSTNode*SearchAVL(BSTNode*T, char name[20],int choice)
{
if (T == NULL)
return NULL;
if (choice == 2 && strcmp(T->data.id,name) == 0)//按照ID查找,唯一确定
return T;
if (choice == 1 && strcmp(T->data.name, name) == 0)//按照name查找,不唯一确定
{
printf("请问所要进行操作的是ID为:%s的用户吗?\n", T->data.id);
printf("Y or N?(选择N后将继续进行查找)");
char c; scanf("%c", &c); getchar(); int re = 0;
while (re == 0)
{
switch (c)
{
case 'Y':case 'y':
re = 1;return T; break;
case 'N':case 'n':
re = 1;break;
default:
re = 0;
printf("输入错误,请重新选择Y or N?(选择N后将继续进行查找)"); scanf("%c", &c); getchar();
}
}
}
BSTNode * temp=NULL;
temp = SearchAVL(T->rchild, name,choice);
if (temp==NULL)
temp = SearchAVL(T->lchild, name,choice);
return temp;
}
/******************
函数名称:DestroyAVL
函数参数:当前AVL树的根结点
函数功能:递归销毁当前AVL树
返回值:成功返回OK,失败返回ERROR
*******************/
int DestroyAVL(BSTNode*T)
{
if (T == NULL) {
return OK;
}
DestroyAVL(T->lchild);
DestroyAVL(T->rchild);
free(T); T = NULL;
return OK;
}
/******************
函数名称:DestroyAVL1
函数参数:整个森林头指针head,遍历指针F
函数功能:销毁当前F所指向的AVL树
返回值:成功返回OK,失败返回ERROR
*******************/
int DestroyAVL1(Forest *head, Forest *F)
{
Forest *p = head;
Forest *q = p;
while (p != F)
{
q = p;
p = p->next;
}
q->next = p->next;
if (DestroyAVL(p->HeadNode->lchild) == ERROR)//递归销毁AVL树
return ERROR;
free(p->HeadNode);
p->HeadNode = NULL;
free(p);
F = NULL;
return OK;
}
/******************
函数名称:InitAVL
函数参数:整个森林头指针head,遍历指针F
函数功能:初始化一颗空的AVL树
返回值:成功返回OK,失败返回ERROR
*******************/
int InitAVL(Forest *head, Forest **F)
{
Forest *q = head;
char name[20];
printf("请输入该AVL树的名字(20个字符以内):"); scanf("%s", name); getchar();
while (q->next)
{
q = q->next;
if (strcmp(q->name, name) == 0)
break;
}
if (strcmp(q->name, name) == 0)
{
printf("该名字已被使用,");
return ERROR;
}
q->next = (Forest *)malloc(sizeof(Forest));
(*F) = q->next;
strcpy((*F)->name, name);
(*F)->HeadNode = (BSTNode*)malloc(sizeof(BSTNode));//对当前指针F进行初始化,并令头结点的左孩子结点为AVL树的根结点,右孩子始终指向NULL
(*F)->HeadNode->BF = 0; (*F)->HeadNode->lchild = NULL; (*F)->HeadNode->rchild = NULL;
memset((*F)->HeadNode->data.id, '0', 20); memset((*F)->HeadNode->data.name, '0', 20);
(*F)->HeadNode->data.hobby = NULL; (*F)->HeadNode->data.friends = NULL;
(*F)->HeadNode->data.fan = NULL; (*F)->HeadNode->data.concern = NULL;
(*F)->next = NULL;
return OK;
}
/******************
函数名称:show
函数参数:遍历指针F
函数功能:显示伪菜单界面
返回值:无
*******************/
void show(Forest *F)
{
system("cls");
printf("\n\n");
printf("\t\t\t\tMenu for Self-balancing Binary Search Tree\n");
printf("-----------------------------------------------------------------------------------------------------------------------\n");
printf("\t\t\t\t1. InitAVL\t\t2. DestroyAVL\n");
printf("\t\t\t\t3. SearchAVL\t\t4. InsertAVL\n");
printf("\t\t\t\t5. DeleteAVL\t\t6. TraverseAVL\n");
printf("\t\t\t\t7. set_init\t\t8. set_destroy\n");
printf("\t\t\t\t9. set_insert\t\t10. set_remove\n");
printf("\t\t\t\t11. set_intersection\t12. set_union\n");
printf("\t\t\t\t13. set_diffrence\t14. set_size\n");
printf("\t\t\t\t15. set_member\t\t16. set_subset\n");
printf("\t\t\t\t17. set_equal\t\t18. init_aggregate\n");
printf("\t\t\t\t19. operate_aggregate\t20. search_common\n");
printf("\t\t\t\t21. second_friends\t22. ExAVL\n");
printf("\t\t\t\t23. SaveData\t\t24. LoadData\n");
printf("\t\t\t\t25. Random\t\t0. Exit\n");
if (F == NULL)
printf("----------------------------------------------当前没有活动树-----------------------------------------------------------");
else
printf("----------------------------------------------当前对树 %s 进行操作---------------------------------------------", F->name);
printf("\n请选择你的操作[0~25]:");
} | [
"noreply@github.com"
] | noreply@github.com |
07e19a7001492b7b62e4e0892928aed92b92b95d | 8567438779e6af0754620a25d379c348e4cd5a5d | /content/renderer/media_recorder/media_recorder_handler.h | 30a763796144e3438f81bd757b765e07b70fc73e | [
"BSD-3-Clause"
] | permissive | thngkaiyuan/chromium | c389ac4b50ccba28ee077cbf6115c41b547955ae | dab56a4a71f87f64ecc0044e97b4a8f247787a68 | refs/heads/master | 2022-11-10T02:50:29.326119 | 2017-04-08T12:28:57 | 2017-04-08T12:28:57 | 84,073,924 | 0 | 1 | BSD-3-Clause | 2022-10-25T19:47:15 | 2017-03-06T13:04:15 | null | UTF-8 | C++ | false | false | 4,710 | h | // Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CONTENT_RENDERER_MEDIA_RECORDER_MEDIA_RECORDER_HANDLER_H_
#define CONTENT_RENDERER_MEDIA_RECORDER_MEDIA_RECORDER_HANDLER_H_
#include <memory>
#include "base/compiler_specific.h"
#include "base/macros.h"
#include "base/memory/weak_ptr.h"
#include "base/strings/string_piece.h"
#include "base/threading/thread_checker.h"
#include "content/common/content_export.h"
#include "content/renderer/media_recorder/video_track_recorder.h"
#include "third_party/WebKit/public/platform/WebMediaRecorderHandler.h"
#include "third_party/WebKit/public/platform/WebMediaStream.h"
namespace blink {
class WebMediaRecorderHandlerClient;
class WebString;
} // namespace blink
namespace media {
class AudioBus;
class AudioParameters;
class VideoFrame;
class WebmMuxer;
} // namespace media
namespace content {
class AudioTrackRecorder;
// MediaRecorderHandler orchestrates the creation, lifetime management and
// mapping between:
// - MediaStreamTrack(s) providing data,
// - {Audio,Video}TrackRecorders encoding that data,
// - a WebmMuxer class multiplexing encoded data into a WebM container, and
// - a single recorder client receiving this contained data.
// All methods are called on the same thread as construction and destruction,
// i.e. the Main Render thread. (Note that a BindToCurrentLoop is used to
// guarantee this, since VideoTrackRecorder sends back frames on IO thread.)
class CONTENT_EXPORT MediaRecorderHandler final
: public NON_EXPORTED_BASE(blink::WebMediaRecorderHandler) {
public:
MediaRecorderHandler();
~MediaRecorderHandler() override;
// blink::WebMediaRecorderHandler.
bool canSupportMimeType(const blink::WebString& web_type,
const blink::WebString& web_codecs) override;
bool initialize(blink::WebMediaRecorderHandlerClient* client,
const blink::WebMediaStream& media_stream,
const blink::WebString& type,
const blink::WebString& codecs,
int32_t audio_bits_per_second,
int32_t video_bits_per_second) override;
bool start(int timeslice) override;
void stop() override;
void pause() override;
void resume() override;
private:
friend class MediaRecorderHandlerTest;
void OnEncodedVideo(const media::WebmMuxer::VideoParameters& params,
std::unique_ptr<std::string> encoded_data,
base::TimeTicks timestamp,
bool is_key_frame);
void OnEncodedAudio(const media::AudioParameters& params,
std::unique_ptr<std::string> encoded_data,
base::TimeTicks timestamp);
void WriteData(base::StringPiece data);
// Updates |video_tracks_|,|audio_tracks_| and returns true if any changed.
bool UpdateTracksAndCheckIfChanged();
void OnVideoFrameForTesting(const scoped_refptr<media::VideoFrame>& frame,
const base::TimeTicks& timestamp);
void OnAudioBusForTesting(const media::AudioBus& audio_bus,
const base::TimeTicks& timestamp);
void SetAudioFormatForTesting(const media::AudioParameters& params);
// Bound to the main render thread.
base::ThreadChecker main_render_thread_checker_;
// Sanitized video and audio bitrate settings passed on initialize().
int32_t video_bits_per_second_;
int32_t audio_bits_per_second_;
// Video Codec, VP8 is used by default.
VideoTrackRecorder::CodecId codec_id_;
// |client_| has no notion of time, thus may configure us via start(timeslice)
// to notify it after a certain |timeslice_| has passed. We use a moving
// |slice_origin_timestamp_| to track those time chunks.
base::TimeDelta timeslice_;
base::TimeTicks slice_origin_timestamp_;
bool recording_;
blink::WebMediaStream media_stream_; // The MediaStream being recorded.
blink::WebVector<blink::WebMediaStreamTrack> video_tracks_;
blink::WebVector<blink::WebMediaStreamTrack> audio_tracks_;
// |client_| is a weak pointer, and is valid for the lifetime of this object.
blink::WebMediaRecorderHandlerClient* client_;
std::vector<std::unique_ptr<VideoTrackRecorder>> video_recorders_;
std::vector<std::unique_ptr<AudioTrackRecorder>> audio_recorders_;
// Worker class doing the actual Webm Muxing work.
std::unique_ptr<media::WebmMuxer> webm_muxer_;
base::WeakPtrFactory<MediaRecorderHandler> weak_factory_;
DISALLOW_COPY_AND_ASSIGN(MediaRecorderHandler);
};
} // namespace content
#endif // CONTENT_RENDERER_MEDIA_RECORDER_MEDIA_RECORDER_HANDLER_H_
| [
"hedonist.ky@gmail.com"
] | hedonist.ky@gmail.com |
ae929b571aac41543c946902edbee2ff49ccc0a9 | 0b72ad0c7060ffb5672e05392d145d95662febab | /Tech/ParMan/CUR_VER/DLL/2000/StandardMBR.cpp | 889d220169a658c58ffc45187b8bba46c9d51715 | [] | no_license | xfxf123444/japan | d55912cff16fd63caab0e5b206f1a3fcd66aea5e | 29e5f9cab5f431417cb1cf435477adeb6a5f8b31 | refs/heads/master | 2021-01-10T01:17:25.067789 | 2015-12-20T09:06:13 | 2015-12-20T09:06:13 | 43,422,127 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 214 | cpp | /*===========================================================================
StandardMBR.cpp
WQ
===========================================================================*/
#pragma pack(1)
#include "windows.h"
| [
"xfxf123444@gmail.com"
] | xfxf123444@gmail.com |
01d250b9c5a821fed5595ab9536976a3fda5f814 | 61a2d6e3966c3a3b1eec7a6973a7945517f1419a | /LunaCh1_10/Common/MathHelper.h | 735fc3b0e87e92e6ad1f890838d165ce3baa82e6 | [] | no_license | Santhura/Advanced-graphics-programming- | a6d3642a8101616a34bfe4aca157b0f312204d1f | 749669d19d9b46d3784ceda0da5d1d2f36976ed7 | refs/heads/master | 2020-12-02T19:37:28.819060 | 2016-05-08T18:10:25 | 2016-05-08T18:10:25 | 54,515,296 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,721 | h | //***************************************************************************************
// MathHelper.h by Frank Luna (C) 2011 All Rights Reserved.
//
// Helper math class.
//***************************************************************************************
#ifndef MATHHELPER_H
#define MATHHELPER_H
#include <Windows.h>
#include <xnamath.h>
class MathHelper
{
public:
// Returns random float in [0, 1).
static float RandF()
{
return (float)(rand()) / (float)RAND_MAX;
}
// Returns random float in [a, b).
static float RandF(float a, float b)
{
return a + RandF()*(b-a);
}
template<typename T>
static T Min(const T& a, const T& b)
{
return a < b ? a : b;
}
template<typename T>
static T Max(const T& a, const T& b)
{
return a > b ? a : b;
}
template<typename T>
static T Lerp(const T& a, const T& b, float t)
{
return a + (b-a)*t;
}
template<typename T>
static T Clamp(const T& x, const T& low, const T& high)
{
return x < low ? low : (x > high ? high : x);
}
// Returns the polar angle of the point (x,y) in [0, 2*PI).
static float AngleFromXY(float x, float y);
static XMMATRIX InverseTranspose(CXMMATRIX M)
{
// Inverse-transpose is just applied to normals. So zero out
// translation row so that it doesn't get into our inverse-transpose
// calculation--we don't want the inverse-transpose of the translation.
XMMATRIX A = M;
A.r[3] = XMVectorSet(0.0f, 0.0f, 0.0f, 1.0f);
XMVECTOR det = XMMatrixDeterminant(A);
return XMMatrixTranspose(XMMatrixInverse(&det, A));
}
static XMVECTOR RandUnitfloat3();
static XMVECTOR RandHemisphereUnitfloat3(XMVECTOR n);
static const float Infinity;
static const float Pi;
};
#endif // MATHHELPER_H | [
"d.b.gijsbertsen@live.nl"
] | d.b.gijsbertsen@live.nl |
cba89095b9b09d2becb6d1de52b63f60e77bb843 | 750a948a3a05e28a026491e79a0ee544d9b05505 | /clang-r353983c/include/llvm/IR/IntrinsicEnums.inc | ef21b6f4584d4da6c09aa8e4c0549139916f796e | [
"LLVM-exception",
"LicenseRef-scancode-generic-cla",
"NCSA",
"Apache-2.0",
"MIT",
"LicenseRef-scancode-arm-llvm-sga"
] | permissive | AOSiP/platform_prebuilts_clang_host_linux-x86 | 618a4e5ab922b88a95107f4861097f3809609f15 | 104e5fd4b2406772d7977b9e291569ed450e6369 | refs/heads/eleven | 2022-12-24T12:00:32.971659 | 2020-10-02T16:47:16 | 2021-03-02T10:07:50 | 129,935,692 | 7 | 112 | null | 2022-12-15T11:48:17 | 2018-04-17T16:40:20 | C++ | UTF-8 | C++ | false | false | 518,038 | inc | /*===- TableGen'erated file -------------------------------------*- C++ -*-===*\
|* *|
|* Intrinsic Function Source Fragment *|
|* *|
|* Automatically generated file, do not edit! *|
|* *|
\*===----------------------------------------------------------------------===*/
// VisualStudio defines setjmp as _setjmp
#if defined(_MSC_VER) && defined(setjmp) && \
!defined(setjmp_undefined_for_msvc)
# pragma push_macro("setjmp")
# undef setjmp
# define setjmp_undefined_for_msvc
#endif
// Enum values for Intrinsics.h
#ifdef GET_INTRINSIC_ENUM_VALUES
addressofreturnaddress, // llvm.addressofreturnaddress
adjust_trampoline, // llvm.adjust.trampoline
annotation, // llvm.annotation
assume, // llvm.assume
bitreverse, // llvm.bitreverse
bswap, // llvm.bswap
canonicalize, // llvm.canonicalize
ceil, // llvm.ceil
clear_cache, // llvm.clear_cache
codeview_annotation, // llvm.codeview.annotation
convert_from_fp16, // llvm.convert.from.fp16
convert_to_fp16, // llvm.convert.to.fp16
copysign, // llvm.copysign
coro_alloc, // llvm.coro.alloc
coro_begin, // llvm.coro.begin
coro_destroy, // llvm.coro.destroy
coro_done, // llvm.coro.done
coro_end, // llvm.coro.end
coro_frame, // llvm.coro.frame
coro_free, // llvm.coro.free
coro_id, // llvm.coro.id
coro_noop, // llvm.coro.noop
coro_param, // llvm.coro.param
coro_promise, // llvm.coro.promise
coro_resume, // llvm.coro.resume
coro_save, // llvm.coro.save
coro_size, // llvm.coro.size
coro_subfn_addr, // llvm.coro.subfn.addr
coro_suspend, // llvm.coro.suspend
cos, // llvm.cos
ctlz, // llvm.ctlz
ctpop, // llvm.ctpop
cttz, // llvm.cttz
dbg_addr, // llvm.dbg.addr
dbg_declare, // llvm.dbg.declare
dbg_label, // llvm.dbg.label
dbg_value, // llvm.dbg.value
debugtrap, // llvm.debugtrap
donothing, // llvm.donothing
eh_dwarf_cfa, // llvm.eh.dwarf.cfa
eh_exceptioncode, // llvm.eh.exceptioncode
eh_exceptionpointer, // llvm.eh.exceptionpointer
eh_recoverfp, // llvm.eh.recoverfp
eh_return_i32, // llvm.eh.return.i32
eh_return_i64, // llvm.eh.return.i64
eh_sjlj_callsite, // llvm.eh.sjlj.callsite
eh_sjlj_functioncontext, // llvm.eh.sjlj.functioncontext
eh_sjlj_longjmp, // llvm.eh.sjlj.longjmp
eh_sjlj_lsda, // llvm.eh.sjlj.lsda
eh_sjlj_setjmp, // llvm.eh.sjlj.setjmp
eh_sjlj_setup_dispatch, // llvm.eh.sjlj.setup.dispatch
eh_typeid_for, // llvm.eh.typeid.for
eh_unwind_init, // llvm.eh.unwind.init
exp, // llvm.exp
exp2, // llvm.exp2
expect, // llvm.expect
experimental_constrained_ceil, // llvm.experimental.constrained.ceil
experimental_constrained_cos, // llvm.experimental.constrained.cos
experimental_constrained_exp, // llvm.experimental.constrained.exp
experimental_constrained_exp2, // llvm.experimental.constrained.exp2
experimental_constrained_fadd, // llvm.experimental.constrained.fadd
experimental_constrained_fdiv, // llvm.experimental.constrained.fdiv
experimental_constrained_floor, // llvm.experimental.constrained.floor
experimental_constrained_fma, // llvm.experimental.constrained.fma
experimental_constrained_fmul, // llvm.experimental.constrained.fmul
experimental_constrained_frem, // llvm.experimental.constrained.frem
experimental_constrained_fsub, // llvm.experimental.constrained.fsub
experimental_constrained_log, // llvm.experimental.constrained.log
experimental_constrained_log10, // llvm.experimental.constrained.log10
experimental_constrained_log2, // llvm.experimental.constrained.log2
experimental_constrained_maxnum, // llvm.experimental.constrained.maxnum
experimental_constrained_minnum, // llvm.experimental.constrained.minnum
experimental_constrained_nearbyint, // llvm.experimental.constrained.nearbyint
experimental_constrained_pow, // llvm.experimental.constrained.pow
experimental_constrained_powi, // llvm.experimental.constrained.powi
experimental_constrained_rint, // llvm.experimental.constrained.rint
experimental_constrained_round, // llvm.experimental.constrained.round
experimental_constrained_sin, // llvm.experimental.constrained.sin
experimental_constrained_sqrt, // llvm.experimental.constrained.sqrt
experimental_constrained_trunc, // llvm.experimental.constrained.trunc
experimental_deoptimize, // llvm.experimental.deoptimize
experimental_gc_relocate, // llvm.experimental.gc.relocate
experimental_gc_result, // llvm.experimental.gc.result
experimental_gc_statepoint, // llvm.experimental.gc.statepoint
experimental_guard, // llvm.experimental.guard
experimental_patchpoint_i64, // llvm.experimental.patchpoint.i64
experimental_patchpoint_void, // llvm.experimental.patchpoint.void
experimental_stackmap, // llvm.experimental.stackmap
experimental_vector_reduce_add, // llvm.experimental.vector.reduce.add
experimental_vector_reduce_and, // llvm.experimental.vector.reduce.and
experimental_vector_reduce_fadd, // llvm.experimental.vector.reduce.fadd
experimental_vector_reduce_fmax, // llvm.experimental.vector.reduce.fmax
experimental_vector_reduce_fmin, // llvm.experimental.vector.reduce.fmin
experimental_vector_reduce_fmul, // llvm.experimental.vector.reduce.fmul
experimental_vector_reduce_mul, // llvm.experimental.vector.reduce.mul
experimental_vector_reduce_or, // llvm.experimental.vector.reduce.or
experimental_vector_reduce_smax, // llvm.experimental.vector.reduce.smax
experimental_vector_reduce_smin, // llvm.experimental.vector.reduce.smin
experimental_vector_reduce_umax, // llvm.experimental.vector.reduce.umax
experimental_vector_reduce_umin, // llvm.experimental.vector.reduce.umin
experimental_vector_reduce_xor, // llvm.experimental.vector.reduce.xor
experimental_widenable_condition, // llvm.experimental.widenable.condition
fabs, // llvm.fabs
floor, // llvm.floor
flt_rounds, // llvm.flt.rounds
fma, // llvm.fma
fmuladd, // llvm.fmuladd
frameaddress, // llvm.frameaddress
fshl, // llvm.fshl
fshr, // llvm.fshr
gcread, // llvm.gcread
gcroot, // llvm.gcroot
gcwrite, // llvm.gcwrite
get_dynamic_area_offset, // llvm.get.dynamic.area.offset
hwasan_check_memaccess, // llvm.hwasan.check.memaccess
icall_branch_funnel, // llvm.icall.branch.funnel
init_trampoline, // llvm.init.trampoline
instrprof_increment, // llvm.instrprof.increment
instrprof_increment_step, // llvm.instrprof.increment.step
instrprof_value_profile, // llvm.instrprof.value.profile
invariant_end, // llvm.invariant.end
invariant_start, // llvm.invariant.start
is_constant, // llvm.is.constant
launder_invariant_group, // llvm.launder.invariant.group
lifetime_end, // llvm.lifetime.end
lifetime_start, // llvm.lifetime.start
load_relative, // llvm.load.relative
localaddress, // llvm.localaddress
localescape, // llvm.localescape
localrecover, // llvm.localrecover
log, // llvm.log
log10, // llvm.log10
log2, // llvm.log2
longjmp, // llvm.longjmp
masked_compressstore, // llvm.masked.compressstore
masked_expandload, // llvm.masked.expandload
masked_gather, // llvm.masked.gather
masked_load, // llvm.masked.load
masked_scatter, // llvm.masked.scatter
masked_store, // llvm.masked.store
maximum, // llvm.maximum
maxnum, // llvm.maxnum
memcpy, // llvm.memcpy
memcpy_element_unordered_atomic, // llvm.memcpy.element.unordered.atomic
memmove, // llvm.memmove
memmove_element_unordered_atomic, // llvm.memmove.element.unordered.atomic
memset, // llvm.memset
memset_element_unordered_atomic, // llvm.memset.element.unordered.atomic
minimum, // llvm.minimum
minnum, // llvm.minnum
nearbyint, // llvm.nearbyint
objc_arc_annotation_bottomup_bbend, // llvm.objc.arc.annotation.bottomup.bbend
objc_arc_annotation_bottomup_bbstart, // llvm.objc.arc.annotation.bottomup.bbstart
objc_arc_annotation_topdown_bbend, // llvm.objc.arc.annotation.topdown.bbend
objc_arc_annotation_topdown_bbstart, // llvm.objc.arc.annotation.topdown.bbstart
objc_autorelease, // llvm.objc.autorelease
objc_autoreleasePoolPop, // llvm.objc.autoreleasePoolPop
objc_autoreleasePoolPush, // llvm.objc.autoreleasePoolPush
objc_autoreleaseReturnValue, // llvm.objc.autoreleaseReturnValue
objc_clang_arc_use, // llvm.objc.clang.arc.use
objc_copyWeak, // llvm.objc.copyWeak
objc_destroyWeak, // llvm.objc.destroyWeak
objc_initWeak, // llvm.objc.initWeak
objc_loadWeak, // llvm.objc.loadWeak
objc_loadWeakRetained, // llvm.objc.loadWeakRetained
objc_moveWeak, // llvm.objc.moveWeak
objc_release, // llvm.objc.release
objc_retain, // llvm.objc.retain
objc_retain_autorelease, // llvm.objc.retain.autorelease
objc_retainAutorelease, // llvm.objc.retainAutorelease
objc_retainAutoreleaseReturnValue, // llvm.objc.retainAutoreleaseReturnValue
objc_retainAutoreleasedReturnValue, // llvm.objc.retainAutoreleasedReturnValue
objc_retainBlock, // llvm.objc.retainBlock
objc_retainedObject, // llvm.objc.retainedObject
objc_storeStrong, // llvm.objc.storeStrong
objc_storeWeak, // llvm.objc.storeWeak
objc_sync_enter, // llvm.objc.sync.enter
objc_sync_exit, // llvm.objc.sync.exit
objc_unretainedObject, // llvm.objc.unretainedObject
objc_unretainedPointer, // llvm.objc.unretainedPointer
objc_unsafeClaimAutoreleasedReturnValue, // llvm.objc.unsafeClaimAutoreleasedReturnValue
objectsize, // llvm.objectsize
pcmarker, // llvm.pcmarker
pow, // llvm.pow
powi, // llvm.powi
prefetch, // llvm.prefetch
ptr_annotation, // llvm.ptr.annotation
read_register, // llvm.read_register
readcyclecounter, // llvm.readcyclecounter
returnaddress, // llvm.returnaddress
rint, // llvm.rint
round, // llvm.round
sadd_sat, // llvm.sadd.sat
sadd_with_overflow, // llvm.sadd.with.overflow
setjmp, // llvm.setjmp
sideeffect, // llvm.sideeffect
siglongjmp, // llvm.siglongjmp
sigsetjmp, // llvm.sigsetjmp
sin, // llvm.sin
smul_fix, // llvm.smul.fix
smul_with_overflow, // llvm.smul.with.overflow
sponentry, // llvm.sponentry
sqrt, // llvm.sqrt
ssa_copy, // llvm.ssa.copy
ssub_sat, // llvm.ssub.sat
ssub_with_overflow, // llvm.ssub.with.overflow
stackguard, // llvm.stackguard
stackprotector, // llvm.stackprotector
stackrestore, // llvm.stackrestore
stacksave, // llvm.stacksave
strip_invariant_group, // llvm.strip.invariant.group
thread_pointer, // llvm.thread.pointer
trap, // llvm.trap
trunc, // llvm.trunc
type_checked_load, // llvm.type.checked.load
type_test, // llvm.type.test
uadd_sat, // llvm.uadd.sat
uadd_with_overflow, // llvm.uadd.with.overflow
umul_fix, // llvm.umul.fix
umul_with_overflow, // llvm.umul.with.overflow
usub_sat, // llvm.usub.sat
usub_with_overflow, // llvm.usub.with.overflow
vacopy, // llvm.va_copy
vaend, // llvm.va_end
vastart, // llvm.va_start
var_annotation, // llvm.var.annotation
write_register, // llvm.write_register
xray_customevent, // llvm.xray.customevent
xray_typedevent, // llvm.xray.typedevent
aarch64_clrex, // llvm.aarch64.clrex
aarch64_crc32b, // llvm.aarch64.crc32b
aarch64_crc32cb, // llvm.aarch64.crc32cb
aarch64_crc32ch, // llvm.aarch64.crc32ch
aarch64_crc32cw, // llvm.aarch64.crc32cw
aarch64_crc32cx, // llvm.aarch64.crc32cx
aarch64_crc32h, // llvm.aarch64.crc32h
aarch64_crc32w, // llvm.aarch64.crc32w
aarch64_crc32x, // llvm.aarch64.crc32x
aarch64_crypto_aesd, // llvm.aarch64.crypto.aesd
aarch64_crypto_aese, // llvm.aarch64.crypto.aese
aarch64_crypto_aesimc, // llvm.aarch64.crypto.aesimc
aarch64_crypto_aesmc, // llvm.aarch64.crypto.aesmc
aarch64_crypto_sha1c, // llvm.aarch64.crypto.sha1c
aarch64_crypto_sha1h, // llvm.aarch64.crypto.sha1h
aarch64_crypto_sha1m, // llvm.aarch64.crypto.sha1m
aarch64_crypto_sha1p, // llvm.aarch64.crypto.sha1p
aarch64_crypto_sha1su0, // llvm.aarch64.crypto.sha1su0
aarch64_crypto_sha1su1, // llvm.aarch64.crypto.sha1su1
aarch64_crypto_sha256h, // llvm.aarch64.crypto.sha256h
aarch64_crypto_sha256h2, // llvm.aarch64.crypto.sha256h2
aarch64_crypto_sha256su0, // llvm.aarch64.crypto.sha256su0
aarch64_crypto_sha256su1, // llvm.aarch64.crypto.sha256su1
aarch64_dmb, // llvm.aarch64.dmb
aarch64_dsb, // llvm.aarch64.dsb
aarch64_get_fpcr, // llvm.aarch64.get.fpcr
aarch64_hint, // llvm.aarch64.hint
aarch64_isb, // llvm.aarch64.isb
aarch64_ldaxp, // llvm.aarch64.ldaxp
aarch64_ldaxr, // llvm.aarch64.ldaxr
aarch64_ldxp, // llvm.aarch64.ldxp
aarch64_ldxr, // llvm.aarch64.ldxr
aarch64_neon_abs, // llvm.aarch64.neon.abs
aarch64_neon_addhn, // llvm.aarch64.neon.addhn
aarch64_neon_addp, // llvm.aarch64.neon.addp
aarch64_neon_cls, // llvm.aarch64.neon.cls
aarch64_neon_fabd, // llvm.aarch64.neon.fabd
aarch64_neon_facge, // llvm.aarch64.neon.facge
aarch64_neon_facgt, // llvm.aarch64.neon.facgt
aarch64_neon_faddv, // llvm.aarch64.neon.faddv
aarch64_neon_fcvtas, // llvm.aarch64.neon.fcvtas
aarch64_neon_fcvtau, // llvm.aarch64.neon.fcvtau
aarch64_neon_fcvtms, // llvm.aarch64.neon.fcvtms
aarch64_neon_fcvtmu, // llvm.aarch64.neon.fcvtmu
aarch64_neon_fcvtns, // llvm.aarch64.neon.fcvtns
aarch64_neon_fcvtnu, // llvm.aarch64.neon.fcvtnu
aarch64_neon_fcvtps, // llvm.aarch64.neon.fcvtps
aarch64_neon_fcvtpu, // llvm.aarch64.neon.fcvtpu
aarch64_neon_fcvtxn, // llvm.aarch64.neon.fcvtxn
aarch64_neon_fcvtzs, // llvm.aarch64.neon.fcvtzs
aarch64_neon_fcvtzu, // llvm.aarch64.neon.fcvtzu
aarch64_neon_fmax, // llvm.aarch64.neon.fmax
aarch64_neon_fmaxnm, // llvm.aarch64.neon.fmaxnm
aarch64_neon_fmaxnmp, // llvm.aarch64.neon.fmaxnmp
aarch64_neon_fmaxnmv, // llvm.aarch64.neon.fmaxnmv
aarch64_neon_fmaxp, // llvm.aarch64.neon.fmaxp
aarch64_neon_fmaxv, // llvm.aarch64.neon.fmaxv
aarch64_neon_fmin, // llvm.aarch64.neon.fmin
aarch64_neon_fminnm, // llvm.aarch64.neon.fminnm
aarch64_neon_fminnmp, // llvm.aarch64.neon.fminnmp
aarch64_neon_fminnmv, // llvm.aarch64.neon.fminnmv
aarch64_neon_fminp, // llvm.aarch64.neon.fminp
aarch64_neon_fminv, // llvm.aarch64.neon.fminv
aarch64_neon_fmlal, // llvm.aarch64.neon.fmlal
aarch64_neon_fmlal2, // llvm.aarch64.neon.fmlal2
aarch64_neon_fmlsl, // llvm.aarch64.neon.fmlsl
aarch64_neon_fmlsl2, // llvm.aarch64.neon.fmlsl2
aarch64_neon_fmulx, // llvm.aarch64.neon.fmulx
aarch64_neon_frecpe, // llvm.aarch64.neon.frecpe
aarch64_neon_frecps, // llvm.aarch64.neon.frecps
aarch64_neon_frecpx, // llvm.aarch64.neon.frecpx
aarch64_neon_frintn, // llvm.aarch64.neon.frintn
aarch64_neon_frsqrte, // llvm.aarch64.neon.frsqrte
aarch64_neon_frsqrts, // llvm.aarch64.neon.frsqrts
aarch64_neon_ld1x2, // llvm.aarch64.neon.ld1x2
aarch64_neon_ld1x3, // llvm.aarch64.neon.ld1x3
aarch64_neon_ld1x4, // llvm.aarch64.neon.ld1x4
aarch64_neon_ld2, // llvm.aarch64.neon.ld2
aarch64_neon_ld2lane, // llvm.aarch64.neon.ld2lane
aarch64_neon_ld2r, // llvm.aarch64.neon.ld2r
aarch64_neon_ld3, // llvm.aarch64.neon.ld3
aarch64_neon_ld3lane, // llvm.aarch64.neon.ld3lane
aarch64_neon_ld3r, // llvm.aarch64.neon.ld3r
aarch64_neon_ld4, // llvm.aarch64.neon.ld4
aarch64_neon_ld4lane, // llvm.aarch64.neon.ld4lane
aarch64_neon_ld4r, // llvm.aarch64.neon.ld4r
aarch64_neon_pmul, // llvm.aarch64.neon.pmul
aarch64_neon_pmull, // llvm.aarch64.neon.pmull
aarch64_neon_pmull64, // llvm.aarch64.neon.pmull64
aarch64_neon_raddhn, // llvm.aarch64.neon.raddhn
aarch64_neon_rbit, // llvm.aarch64.neon.rbit
aarch64_neon_rshrn, // llvm.aarch64.neon.rshrn
aarch64_neon_rsubhn, // llvm.aarch64.neon.rsubhn
aarch64_neon_sabd, // llvm.aarch64.neon.sabd
aarch64_neon_saddlp, // llvm.aarch64.neon.saddlp
aarch64_neon_saddlv, // llvm.aarch64.neon.saddlv
aarch64_neon_saddv, // llvm.aarch64.neon.saddv
aarch64_neon_scalar_sqxtn, // llvm.aarch64.neon.scalar.sqxtn
aarch64_neon_scalar_sqxtun, // llvm.aarch64.neon.scalar.sqxtun
aarch64_neon_scalar_uqxtn, // llvm.aarch64.neon.scalar.uqxtn
aarch64_neon_sdot, // llvm.aarch64.neon.sdot
aarch64_neon_shadd, // llvm.aarch64.neon.shadd
aarch64_neon_shll, // llvm.aarch64.neon.shll
aarch64_neon_shsub, // llvm.aarch64.neon.shsub
aarch64_neon_smax, // llvm.aarch64.neon.smax
aarch64_neon_smaxp, // llvm.aarch64.neon.smaxp
aarch64_neon_smaxv, // llvm.aarch64.neon.smaxv
aarch64_neon_smin, // llvm.aarch64.neon.smin
aarch64_neon_sminp, // llvm.aarch64.neon.sminp
aarch64_neon_sminv, // llvm.aarch64.neon.sminv
aarch64_neon_smull, // llvm.aarch64.neon.smull
aarch64_neon_sqabs, // llvm.aarch64.neon.sqabs
aarch64_neon_sqadd, // llvm.aarch64.neon.sqadd
aarch64_neon_sqdmulh, // llvm.aarch64.neon.sqdmulh
aarch64_neon_sqdmull, // llvm.aarch64.neon.sqdmull
aarch64_neon_sqdmulls_scalar, // llvm.aarch64.neon.sqdmulls.scalar
aarch64_neon_sqneg, // llvm.aarch64.neon.sqneg
aarch64_neon_sqrdmulh, // llvm.aarch64.neon.sqrdmulh
aarch64_neon_sqrshl, // llvm.aarch64.neon.sqrshl
aarch64_neon_sqrshrn, // llvm.aarch64.neon.sqrshrn
aarch64_neon_sqrshrun, // llvm.aarch64.neon.sqrshrun
aarch64_neon_sqshl, // llvm.aarch64.neon.sqshl
aarch64_neon_sqshlu, // llvm.aarch64.neon.sqshlu
aarch64_neon_sqshrn, // llvm.aarch64.neon.sqshrn
aarch64_neon_sqshrun, // llvm.aarch64.neon.sqshrun
aarch64_neon_sqsub, // llvm.aarch64.neon.sqsub
aarch64_neon_sqxtn, // llvm.aarch64.neon.sqxtn
aarch64_neon_sqxtun, // llvm.aarch64.neon.sqxtun
aarch64_neon_srhadd, // llvm.aarch64.neon.srhadd
aarch64_neon_srshl, // llvm.aarch64.neon.srshl
aarch64_neon_sshl, // llvm.aarch64.neon.sshl
aarch64_neon_sshll, // llvm.aarch64.neon.sshll
aarch64_neon_st1x2, // llvm.aarch64.neon.st1x2
aarch64_neon_st1x3, // llvm.aarch64.neon.st1x3
aarch64_neon_st1x4, // llvm.aarch64.neon.st1x4
aarch64_neon_st2, // llvm.aarch64.neon.st2
aarch64_neon_st2lane, // llvm.aarch64.neon.st2lane
aarch64_neon_st3, // llvm.aarch64.neon.st3
aarch64_neon_st3lane, // llvm.aarch64.neon.st3lane
aarch64_neon_st4, // llvm.aarch64.neon.st4
aarch64_neon_st4lane, // llvm.aarch64.neon.st4lane
aarch64_neon_subhn, // llvm.aarch64.neon.subhn
aarch64_neon_suqadd, // llvm.aarch64.neon.suqadd
aarch64_neon_tbl1, // llvm.aarch64.neon.tbl1
aarch64_neon_tbl2, // llvm.aarch64.neon.tbl2
aarch64_neon_tbl3, // llvm.aarch64.neon.tbl3
aarch64_neon_tbl4, // llvm.aarch64.neon.tbl4
aarch64_neon_tbx1, // llvm.aarch64.neon.tbx1
aarch64_neon_tbx2, // llvm.aarch64.neon.tbx2
aarch64_neon_tbx3, // llvm.aarch64.neon.tbx3
aarch64_neon_tbx4, // llvm.aarch64.neon.tbx4
aarch64_neon_uabd, // llvm.aarch64.neon.uabd
aarch64_neon_uaddlp, // llvm.aarch64.neon.uaddlp
aarch64_neon_uaddlv, // llvm.aarch64.neon.uaddlv
aarch64_neon_uaddv, // llvm.aarch64.neon.uaddv
aarch64_neon_udot, // llvm.aarch64.neon.udot
aarch64_neon_uhadd, // llvm.aarch64.neon.uhadd
aarch64_neon_uhsub, // llvm.aarch64.neon.uhsub
aarch64_neon_umax, // llvm.aarch64.neon.umax
aarch64_neon_umaxp, // llvm.aarch64.neon.umaxp
aarch64_neon_umaxv, // llvm.aarch64.neon.umaxv
aarch64_neon_umin, // llvm.aarch64.neon.umin
aarch64_neon_uminp, // llvm.aarch64.neon.uminp
aarch64_neon_uminv, // llvm.aarch64.neon.uminv
aarch64_neon_umull, // llvm.aarch64.neon.umull
aarch64_neon_uqadd, // llvm.aarch64.neon.uqadd
aarch64_neon_uqrshl, // llvm.aarch64.neon.uqrshl
aarch64_neon_uqrshrn, // llvm.aarch64.neon.uqrshrn
aarch64_neon_uqshl, // llvm.aarch64.neon.uqshl
aarch64_neon_uqshrn, // llvm.aarch64.neon.uqshrn
aarch64_neon_uqsub, // llvm.aarch64.neon.uqsub
aarch64_neon_uqxtn, // llvm.aarch64.neon.uqxtn
aarch64_neon_urecpe, // llvm.aarch64.neon.urecpe
aarch64_neon_urhadd, // llvm.aarch64.neon.urhadd
aarch64_neon_urshl, // llvm.aarch64.neon.urshl
aarch64_neon_ursqrte, // llvm.aarch64.neon.ursqrte
aarch64_neon_ushl, // llvm.aarch64.neon.ushl
aarch64_neon_ushll, // llvm.aarch64.neon.ushll
aarch64_neon_usqadd, // llvm.aarch64.neon.usqadd
aarch64_neon_vcopy_lane, // llvm.aarch64.neon.vcopy.lane
aarch64_neon_vcvtfp2fxs, // llvm.aarch64.neon.vcvtfp2fxs
aarch64_neon_vcvtfp2fxu, // llvm.aarch64.neon.vcvtfp2fxu
aarch64_neon_vcvtfp2hf, // llvm.aarch64.neon.vcvtfp2hf
aarch64_neon_vcvtfxs2fp, // llvm.aarch64.neon.vcvtfxs2fp
aarch64_neon_vcvtfxu2fp, // llvm.aarch64.neon.vcvtfxu2fp
aarch64_neon_vcvthf2fp, // llvm.aarch64.neon.vcvthf2fp
aarch64_neon_vsli, // llvm.aarch64.neon.vsli
aarch64_neon_vsri, // llvm.aarch64.neon.vsri
aarch64_sdiv, // llvm.aarch64.sdiv
aarch64_sisd_fabd, // llvm.aarch64.sisd.fabd
aarch64_sisd_fcvtxn, // llvm.aarch64.sisd.fcvtxn
aarch64_space, // llvm.aarch64.space
aarch64_stlxp, // llvm.aarch64.stlxp
aarch64_stlxr, // llvm.aarch64.stlxr
aarch64_stxp, // llvm.aarch64.stxp
aarch64_stxr, // llvm.aarch64.stxr
aarch64_udiv, // llvm.aarch64.udiv
amdgcn_alignbit, // llvm.amdgcn.alignbit
amdgcn_alignbyte, // llvm.amdgcn.alignbyte
amdgcn_atomic_dec, // llvm.amdgcn.atomic.dec
amdgcn_atomic_inc, // llvm.amdgcn.atomic.inc
amdgcn_buffer_atomic_add, // llvm.amdgcn.buffer.atomic.add
amdgcn_buffer_atomic_and, // llvm.amdgcn.buffer.atomic.and
amdgcn_buffer_atomic_cmpswap, // llvm.amdgcn.buffer.atomic.cmpswap
amdgcn_buffer_atomic_or, // llvm.amdgcn.buffer.atomic.or
amdgcn_buffer_atomic_smax, // llvm.amdgcn.buffer.atomic.smax
amdgcn_buffer_atomic_smin, // llvm.amdgcn.buffer.atomic.smin
amdgcn_buffer_atomic_sub, // llvm.amdgcn.buffer.atomic.sub
amdgcn_buffer_atomic_swap, // llvm.amdgcn.buffer.atomic.swap
amdgcn_buffer_atomic_umax, // llvm.amdgcn.buffer.atomic.umax
amdgcn_buffer_atomic_umin, // llvm.amdgcn.buffer.atomic.umin
amdgcn_buffer_atomic_xor, // llvm.amdgcn.buffer.atomic.xor
amdgcn_buffer_load, // llvm.amdgcn.buffer.load
amdgcn_buffer_load_format, // llvm.amdgcn.buffer.load.format
amdgcn_buffer_store, // llvm.amdgcn.buffer.store
amdgcn_buffer_store_format, // llvm.amdgcn.buffer.store.format
amdgcn_buffer_wbinvl1, // llvm.amdgcn.buffer.wbinvl1
amdgcn_buffer_wbinvl1_sc, // llvm.amdgcn.buffer.wbinvl1.sc
amdgcn_buffer_wbinvl1_vol, // llvm.amdgcn.buffer.wbinvl1.vol
amdgcn_class, // llvm.amdgcn.class
amdgcn_cos, // llvm.amdgcn.cos
amdgcn_cubeid, // llvm.amdgcn.cubeid
amdgcn_cubema, // llvm.amdgcn.cubema
amdgcn_cubesc, // llvm.amdgcn.cubesc
amdgcn_cubetc, // llvm.amdgcn.cubetc
amdgcn_cvt_pk_i16, // llvm.amdgcn.cvt.pk.i16
amdgcn_cvt_pk_u16, // llvm.amdgcn.cvt.pk.u16
amdgcn_cvt_pk_u8_f32, // llvm.amdgcn.cvt.pk.u8.f32
amdgcn_cvt_pknorm_i16, // llvm.amdgcn.cvt.pknorm.i16
amdgcn_cvt_pknorm_u16, // llvm.amdgcn.cvt.pknorm.u16
amdgcn_cvt_pkrtz, // llvm.amdgcn.cvt.pkrtz
amdgcn_dispatch_id, // llvm.amdgcn.dispatch.id
amdgcn_dispatch_ptr, // llvm.amdgcn.dispatch.ptr
amdgcn_div_fixup, // llvm.amdgcn.div.fixup
amdgcn_div_fmas, // llvm.amdgcn.div.fmas
amdgcn_div_scale, // llvm.amdgcn.div.scale
amdgcn_ds_append, // llvm.amdgcn.ds.append
amdgcn_ds_bpermute, // llvm.amdgcn.ds.bpermute
amdgcn_ds_consume, // llvm.amdgcn.ds.consume
amdgcn_ds_fadd, // llvm.amdgcn.ds.fadd
amdgcn_ds_fmax, // llvm.amdgcn.ds.fmax
amdgcn_ds_fmin, // llvm.amdgcn.ds.fmin
amdgcn_ds_ordered_add, // llvm.amdgcn.ds.ordered.add
amdgcn_ds_ordered_swap, // llvm.amdgcn.ds.ordered.swap
amdgcn_ds_permute, // llvm.amdgcn.ds.permute
amdgcn_ds_swizzle, // llvm.amdgcn.ds.swizzle
amdgcn_else, // llvm.amdgcn.else
amdgcn_end_cf, // llvm.amdgcn.end.cf
amdgcn_exp, // llvm.amdgcn.exp
amdgcn_exp_compr, // llvm.amdgcn.exp.compr
amdgcn_fcmp, // llvm.amdgcn.fcmp
amdgcn_fdiv_fast, // llvm.amdgcn.fdiv.fast
amdgcn_fdot2, // llvm.amdgcn.fdot2
amdgcn_fmad_ftz, // llvm.amdgcn.fmad.ftz
amdgcn_fmed3, // llvm.amdgcn.fmed3
amdgcn_fmul_legacy, // llvm.amdgcn.fmul.legacy
amdgcn_fract, // llvm.amdgcn.fract
amdgcn_frexp_exp, // llvm.amdgcn.frexp.exp
amdgcn_frexp_mant, // llvm.amdgcn.frexp.mant
amdgcn_groupstaticsize, // llvm.amdgcn.groupstaticsize
amdgcn_icmp, // llvm.amdgcn.icmp
amdgcn_if, // llvm.amdgcn.if
amdgcn_if_break, // llvm.amdgcn.if.break
amdgcn_image_atomic_add_1d, // llvm.amdgcn.image.atomic.add.1d
amdgcn_image_atomic_add_1darray, // llvm.amdgcn.image.atomic.add.1darray
amdgcn_image_atomic_add_2d, // llvm.amdgcn.image.atomic.add.2d
amdgcn_image_atomic_add_2darray, // llvm.amdgcn.image.atomic.add.2darray
amdgcn_image_atomic_add_2darraymsaa, // llvm.amdgcn.image.atomic.add.2darraymsaa
amdgcn_image_atomic_add_2dmsaa, // llvm.amdgcn.image.atomic.add.2dmsaa
amdgcn_image_atomic_add_3d, // llvm.amdgcn.image.atomic.add.3d
amdgcn_image_atomic_add_cube, // llvm.amdgcn.image.atomic.add.cube
amdgcn_image_atomic_and_1d, // llvm.amdgcn.image.atomic.and.1d
amdgcn_image_atomic_and_1darray, // llvm.amdgcn.image.atomic.and.1darray
amdgcn_image_atomic_and_2d, // llvm.amdgcn.image.atomic.and.2d
amdgcn_image_atomic_and_2darray, // llvm.amdgcn.image.atomic.and.2darray
amdgcn_image_atomic_and_2darraymsaa, // llvm.amdgcn.image.atomic.and.2darraymsaa
amdgcn_image_atomic_and_2dmsaa, // llvm.amdgcn.image.atomic.and.2dmsaa
amdgcn_image_atomic_and_3d, // llvm.amdgcn.image.atomic.and.3d
amdgcn_image_atomic_and_cube, // llvm.amdgcn.image.atomic.and.cube
amdgcn_image_atomic_cmpswap_1d, // llvm.amdgcn.image.atomic.cmpswap.1d
amdgcn_image_atomic_cmpswap_1darray, // llvm.amdgcn.image.atomic.cmpswap.1darray
amdgcn_image_atomic_cmpswap_2d, // llvm.amdgcn.image.atomic.cmpswap.2d
amdgcn_image_atomic_cmpswap_2darray, // llvm.amdgcn.image.atomic.cmpswap.2darray
amdgcn_image_atomic_cmpswap_2darraymsaa, // llvm.amdgcn.image.atomic.cmpswap.2darraymsaa
amdgcn_image_atomic_cmpswap_2dmsaa, // llvm.amdgcn.image.atomic.cmpswap.2dmsaa
amdgcn_image_atomic_cmpswap_3d, // llvm.amdgcn.image.atomic.cmpswap.3d
amdgcn_image_atomic_cmpswap_cube, // llvm.amdgcn.image.atomic.cmpswap.cube
amdgcn_image_atomic_dec_1d, // llvm.amdgcn.image.atomic.dec.1d
amdgcn_image_atomic_dec_1darray, // llvm.amdgcn.image.atomic.dec.1darray
amdgcn_image_atomic_dec_2d, // llvm.amdgcn.image.atomic.dec.2d
amdgcn_image_atomic_dec_2darray, // llvm.amdgcn.image.atomic.dec.2darray
amdgcn_image_atomic_dec_2darraymsaa, // llvm.amdgcn.image.atomic.dec.2darraymsaa
amdgcn_image_atomic_dec_2dmsaa, // llvm.amdgcn.image.atomic.dec.2dmsaa
amdgcn_image_atomic_dec_3d, // llvm.amdgcn.image.atomic.dec.3d
amdgcn_image_atomic_dec_cube, // llvm.amdgcn.image.atomic.dec.cube
amdgcn_image_atomic_inc_1d, // llvm.amdgcn.image.atomic.inc.1d
amdgcn_image_atomic_inc_1darray, // llvm.amdgcn.image.atomic.inc.1darray
amdgcn_image_atomic_inc_2d, // llvm.amdgcn.image.atomic.inc.2d
amdgcn_image_atomic_inc_2darray, // llvm.amdgcn.image.atomic.inc.2darray
amdgcn_image_atomic_inc_2darraymsaa, // llvm.amdgcn.image.atomic.inc.2darraymsaa
amdgcn_image_atomic_inc_2dmsaa, // llvm.amdgcn.image.atomic.inc.2dmsaa
amdgcn_image_atomic_inc_3d, // llvm.amdgcn.image.atomic.inc.3d
amdgcn_image_atomic_inc_cube, // llvm.amdgcn.image.atomic.inc.cube
amdgcn_image_atomic_or_1d, // llvm.amdgcn.image.atomic.or.1d
amdgcn_image_atomic_or_1darray, // llvm.amdgcn.image.atomic.or.1darray
amdgcn_image_atomic_or_2d, // llvm.amdgcn.image.atomic.or.2d
amdgcn_image_atomic_or_2darray, // llvm.amdgcn.image.atomic.or.2darray
amdgcn_image_atomic_or_2darraymsaa, // llvm.amdgcn.image.atomic.or.2darraymsaa
amdgcn_image_atomic_or_2dmsaa, // llvm.amdgcn.image.atomic.or.2dmsaa
amdgcn_image_atomic_or_3d, // llvm.amdgcn.image.atomic.or.3d
amdgcn_image_atomic_or_cube, // llvm.amdgcn.image.atomic.or.cube
amdgcn_image_atomic_smax_1d, // llvm.amdgcn.image.atomic.smax.1d
amdgcn_image_atomic_smax_1darray, // llvm.amdgcn.image.atomic.smax.1darray
amdgcn_image_atomic_smax_2d, // llvm.amdgcn.image.atomic.smax.2d
amdgcn_image_atomic_smax_2darray, // llvm.amdgcn.image.atomic.smax.2darray
amdgcn_image_atomic_smax_2darraymsaa, // llvm.amdgcn.image.atomic.smax.2darraymsaa
amdgcn_image_atomic_smax_2dmsaa, // llvm.amdgcn.image.atomic.smax.2dmsaa
amdgcn_image_atomic_smax_3d, // llvm.amdgcn.image.atomic.smax.3d
amdgcn_image_atomic_smax_cube, // llvm.amdgcn.image.atomic.smax.cube
amdgcn_image_atomic_smin_1d, // llvm.amdgcn.image.atomic.smin.1d
amdgcn_image_atomic_smin_1darray, // llvm.amdgcn.image.atomic.smin.1darray
amdgcn_image_atomic_smin_2d, // llvm.amdgcn.image.atomic.smin.2d
amdgcn_image_atomic_smin_2darray, // llvm.amdgcn.image.atomic.smin.2darray
amdgcn_image_atomic_smin_2darraymsaa, // llvm.amdgcn.image.atomic.smin.2darraymsaa
amdgcn_image_atomic_smin_2dmsaa, // llvm.amdgcn.image.atomic.smin.2dmsaa
amdgcn_image_atomic_smin_3d, // llvm.amdgcn.image.atomic.smin.3d
amdgcn_image_atomic_smin_cube, // llvm.amdgcn.image.atomic.smin.cube
amdgcn_image_atomic_sub_1d, // llvm.amdgcn.image.atomic.sub.1d
amdgcn_image_atomic_sub_1darray, // llvm.amdgcn.image.atomic.sub.1darray
amdgcn_image_atomic_sub_2d, // llvm.amdgcn.image.atomic.sub.2d
amdgcn_image_atomic_sub_2darray, // llvm.amdgcn.image.atomic.sub.2darray
amdgcn_image_atomic_sub_2darraymsaa, // llvm.amdgcn.image.atomic.sub.2darraymsaa
amdgcn_image_atomic_sub_2dmsaa, // llvm.amdgcn.image.atomic.sub.2dmsaa
amdgcn_image_atomic_sub_3d, // llvm.amdgcn.image.atomic.sub.3d
amdgcn_image_atomic_sub_cube, // llvm.amdgcn.image.atomic.sub.cube
amdgcn_image_atomic_swap_1d, // llvm.amdgcn.image.atomic.swap.1d
amdgcn_image_atomic_swap_1darray, // llvm.amdgcn.image.atomic.swap.1darray
amdgcn_image_atomic_swap_2d, // llvm.amdgcn.image.atomic.swap.2d
amdgcn_image_atomic_swap_2darray, // llvm.amdgcn.image.atomic.swap.2darray
amdgcn_image_atomic_swap_2darraymsaa, // llvm.amdgcn.image.atomic.swap.2darraymsaa
amdgcn_image_atomic_swap_2dmsaa, // llvm.amdgcn.image.atomic.swap.2dmsaa
amdgcn_image_atomic_swap_3d, // llvm.amdgcn.image.atomic.swap.3d
amdgcn_image_atomic_swap_cube, // llvm.amdgcn.image.atomic.swap.cube
amdgcn_image_atomic_umax_1d, // llvm.amdgcn.image.atomic.umax.1d
amdgcn_image_atomic_umax_1darray, // llvm.amdgcn.image.atomic.umax.1darray
amdgcn_image_atomic_umax_2d, // llvm.amdgcn.image.atomic.umax.2d
amdgcn_image_atomic_umax_2darray, // llvm.amdgcn.image.atomic.umax.2darray
amdgcn_image_atomic_umax_2darraymsaa, // llvm.amdgcn.image.atomic.umax.2darraymsaa
amdgcn_image_atomic_umax_2dmsaa, // llvm.amdgcn.image.atomic.umax.2dmsaa
amdgcn_image_atomic_umax_3d, // llvm.amdgcn.image.atomic.umax.3d
amdgcn_image_atomic_umax_cube, // llvm.amdgcn.image.atomic.umax.cube
amdgcn_image_atomic_umin_1d, // llvm.amdgcn.image.atomic.umin.1d
amdgcn_image_atomic_umin_1darray, // llvm.amdgcn.image.atomic.umin.1darray
amdgcn_image_atomic_umin_2d, // llvm.amdgcn.image.atomic.umin.2d
amdgcn_image_atomic_umin_2darray, // llvm.amdgcn.image.atomic.umin.2darray
amdgcn_image_atomic_umin_2darraymsaa, // llvm.amdgcn.image.atomic.umin.2darraymsaa
amdgcn_image_atomic_umin_2dmsaa, // llvm.amdgcn.image.atomic.umin.2dmsaa
amdgcn_image_atomic_umin_3d, // llvm.amdgcn.image.atomic.umin.3d
amdgcn_image_atomic_umin_cube, // llvm.amdgcn.image.atomic.umin.cube
amdgcn_image_atomic_xor_1d, // llvm.amdgcn.image.atomic.xor.1d
amdgcn_image_atomic_xor_1darray, // llvm.amdgcn.image.atomic.xor.1darray
amdgcn_image_atomic_xor_2d, // llvm.amdgcn.image.atomic.xor.2d
amdgcn_image_atomic_xor_2darray, // llvm.amdgcn.image.atomic.xor.2darray
amdgcn_image_atomic_xor_2darraymsaa, // llvm.amdgcn.image.atomic.xor.2darraymsaa
amdgcn_image_atomic_xor_2dmsaa, // llvm.amdgcn.image.atomic.xor.2dmsaa
amdgcn_image_atomic_xor_3d, // llvm.amdgcn.image.atomic.xor.3d
amdgcn_image_atomic_xor_cube, // llvm.amdgcn.image.atomic.xor.cube
amdgcn_image_gather4_2d, // llvm.amdgcn.image.gather4.2d
amdgcn_image_gather4_2darray, // llvm.amdgcn.image.gather4.2darray
amdgcn_image_gather4_b_2d, // llvm.amdgcn.image.gather4.b.2d
amdgcn_image_gather4_b_2darray, // llvm.amdgcn.image.gather4.b.2darray
amdgcn_image_gather4_b_cl_2d, // llvm.amdgcn.image.gather4.b.cl.2d
amdgcn_image_gather4_b_cl_2darray, // llvm.amdgcn.image.gather4.b.cl.2darray
amdgcn_image_gather4_b_cl_cube, // llvm.amdgcn.image.gather4.b.cl.cube
amdgcn_image_gather4_b_cl_o_2d, // llvm.amdgcn.image.gather4.b.cl.o.2d
amdgcn_image_gather4_b_cl_o_2darray, // llvm.amdgcn.image.gather4.b.cl.o.2darray
amdgcn_image_gather4_b_cl_o_cube, // llvm.amdgcn.image.gather4.b.cl.o.cube
amdgcn_image_gather4_b_cube, // llvm.amdgcn.image.gather4.b.cube
amdgcn_image_gather4_b_o_2d, // llvm.amdgcn.image.gather4.b.o.2d
amdgcn_image_gather4_b_o_2darray, // llvm.amdgcn.image.gather4.b.o.2darray
amdgcn_image_gather4_b_o_cube, // llvm.amdgcn.image.gather4.b.o.cube
amdgcn_image_gather4_c_2d, // llvm.amdgcn.image.gather4.c.2d
amdgcn_image_gather4_c_2darray, // llvm.amdgcn.image.gather4.c.2darray
amdgcn_image_gather4_c_b_2d, // llvm.amdgcn.image.gather4.c.b.2d
amdgcn_image_gather4_c_b_2darray, // llvm.amdgcn.image.gather4.c.b.2darray
amdgcn_image_gather4_c_b_cl_2d, // llvm.amdgcn.image.gather4.c.b.cl.2d
amdgcn_image_gather4_c_b_cl_2darray, // llvm.amdgcn.image.gather4.c.b.cl.2darray
amdgcn_image_gather4_c_b_cl_cube, // llvm.amdgcn.image.gather4.c.b.cl.cube
amdgcn_image_gather4_c_b_cl_o_2d, // llvm.amdgcn.image.gather4.c.b.cl.o.2d
amdgcn_image_gather4_c_b_cl_o_2darray, // llvm.amdgcn.image.gather4.c.b.cl.o.2darray
amdgcn_image_gather4_c_b_cl_o_cube, // llvm.amdgcn.image.gather4.c.b.cl.o.cube
amdgcn_image_gather4_c_b_cube, // llvm.amdgcn.image.gather4.c.b.cube
amdgcn_image_gather4_c_b_o_2d, // llvm.amdgcn.image.gather4.c.b.o.2d
amdgcn_image_gather4_c_b_o_2darray, // llvm.amdgcn.image.gather4.c.b.o.2darray
amdgcn_image_gather4_c_b_o_cube, // llvm.amdgcn.image.gather4.c.b.o.cube
amdgcn_image_gather4_c_cl_2d, // llvm.amdgcn.image.gather4.c.cl.2d
amdgcn_image_gather4_c_cl_2darray, // llvm.amdgcn.image.gather4.c.cl.2darray
amdgcn_image_gather4_c_cl_cube, // llvm.amdgcn.image.gather4.c.cl.cube
amdgcn_image_gather4_c_cl_o_2d, // llvm.amdgcn.image.gather4.c.cl.o.2d
amdgcn_image_gather4_c_cl_o_2darray, // llvm.amdgcn.image.gather4.c.cl.o.2darray
amdgcn_image_gather4_c_cl_o_cube, // llvm.amdgcn.image.gather4.c.cl.o.cube
amdgcn_image_gather4_c_cube, // llvm.amdgcn.image.gather4.c.cube
amdgcn_image_gather4_c_l_2d, // llvm.amdgcn.image.gather4.c.l.2d
amdgcn_image_gather4_c_l_2darray, // llvm.amdgcn.image.gather4.c.l.2darray
amdgcn_image_gather4_c_l_cube, // llvm.amdgcn.image.gather4.c.l.cube
amdgcn_image_gather4_c_l_o_2d, // llvm.amdgcn.image.gather4.c.l.o.2d
amdgcn_image_gather4_c_l_o_2darray, // llvm.amdgcn.image.gather4.c.l.o.2darray
amdgcn_image_gather4_c_l_o_cube, // llvm.amdgcn.image.gather4.c.l.o.cube
amdgcn_image_gather4_c_lz_2d, // llvm.amdgcn.image.gather4.c.lz.2d
amdgcn_image_gather4_c_lz_2darray, // llvm.amdgcn.image.gather4.c.lz.2darray
amdgcn_image_gather4_c_lz_cube, // llvm.amdgcn.image.gather4.c.lz.cube
amdgcn_image_gather4_c_lz_o_2d, // llvm.amdgcn.image.gather4.c.lz.o.2d
amdgcn_image_gather4_c_lz_o_2darray, // llvm.amdgcn.image.gather4.c.lz.o.2darray
amdgcn_image_gather4_c_lz_o_cube, // llvm.amdgcn.image.gather4.c.lz.o.cube
amdgcn_image_gather4_c_o_2d, // llvm.amdgcn.image.gather4.c.o.2d
amdgcn_image_gather4_c_o_2darray, // llvm.amdgcn.image.gather4.c.o.2darray
amdgcn_image_gather4_c_o_cube, // llvm.amdgcn.image.gather4.c.o.cube
amdgcn_image_gather4_cl_2d, // llvm.amdgcn.image.gather4.cl.2d
amdgcn_image_gather4_cl_2darray, // llvm.amdgcn.image.gather4.cl.2darray
amdgcn_image_gather4_cl_cube, // llvm.amdgcn.image.gather4.cl.cube
amdgcn_image_gather4_cl_o_2d, // llvm.amdgcn.image.gather4.cl.o.2d
amdgcn_image_gather4_cl_o_2darray, // llvm.amdgcn.image.gather4.cl.o.2darray
amdgcn_image_gather4_cl_o_cube, // llvm.amdgcn.image.gather4.cl.o.cube
amdgcn_image_gather4_cube, // llvm.amdgcn.image.gather4.cube
amdgcn_image_gather4_l_2d, // llvm.amdgcn.image.gather4.l.2d
amdgcn_image_gather4_l_2darray, // llvm.amdgcn.image.gather4.l.2darray
amdgcn_image_gather4_l_cube, // llvm.amdgcn.image.gather4.l.cube
amdgcn_image_gather4_l_o_2d, // llvm.amdgcn.image.gather4.l.o.2d
amdgcn_image_gather4_l_o_2darray, // llvm.amdgcn.image.gather4.l.o.2darray
amdgcn_image_gather4_l_o_cube, // llvm.amdgcn.image.gather4.l.o.cube
amdgcn_image_gather4_lz_2d, // llvm.amdgcn.image.gather4.lz.2d
amdgcn_image_gather4_lz_2darray, // llvm.amdgcn.image.gather4.lz.2darray
amdgcn_image_gather4_lz_cube, // llvm.amdgcn.image.gather4.lz.cube
amdgcn_image_gather4_lz_o_2d, // llvm.amdgcn.image.gather4.lz.o.2d
amdgcn_image_gather4_lz_o_2darray, // llvm.amdgcn.image.gather4.lz.o.2darray
amdgcn_image_gather4_lz_o_cube, // llvm.amdgcn.image.gather4.lz.o.cube
amdgcn_image_gather4_o_2d, // llvm.amdgcn.image.gather4.o.2d
amdgcn_image_gather4_o_2darray, // llvm.amdgcn.image.gather4.o.2darray
amdgcn_image_gather4_o_cube, // llvm.amdgcn.image.gather4.o.cube
amdgcn_image_getlod_1d, // llvm.amdgcn.image.getlod.1d
amdgcn_image_getlod_1darray, // llvm.amdgcn.image.getlod.1darray
amdgcn_image_getlod_2d, // llvm.amdgcn.image.getlod.2d
amdgcn_image_getlod_2darray, // llvm.amdgcn.image.getlod.2darray
amdgcn_image_getlod_3d, // llvm.amdgcn.image.getlod.3d
amdgcn_image_getlod_cube, // llvm.amdgcn.image.getlod.cube
amdgcn_image_getresinfo_1d, // llvm.amdgcn.image.getresinfo.1d
amdgcn_image_getresinfo_1darray, // llvm.amdgcn.image.getresinfo.1darray
amdgcn_image_getresinfo_2d, // llvm.amdgcn.image.getresinfo.2d
amdgcn_image_getresinfo_2darray, // llvm.amdgcn.image.getresinfo.2darray
amdgcn_image_getresinfo_2darraymsaa, // llvm.amdgcn.image.getresinfo.2darraymsaa
amdgcn_image_getresinfo_2dmsaa, // llvm.amdgcn.image.getresinfo.2dmsaa
amdgcn_image_getresinfo_3d, // llvm.amdgcn.image.getresinfo.3d
amdgcn_image_getresinfo_cube, // llvm.amdgcn.image.getresinfo.cube
amdgcn_image_load_1d, // llvm.amdgcn.image.load.1d
amdgcn_image_load_1darray, // llvm.amdgcn.image.load.1darray
amdgcn_image_load_2d, // llvm.amdgcn.image.load.2d
amdgcn_image_load_2darray, // llvm.amdgcn.image.load.2darray
amdgcn_image_load_2darraymsaa, // llvm.amdgcn.image.load.2darraymsaa
amdgcn_image_load_2dmsaa, // llvm.amdgcn.image.load.2dmsaa
amdgcn_image_load_3d, // llvm.amdgcn.image.load.3d
amdgcn_image_load_cube, // llvm.amdgcn.image.load.cube
amdgcn_image_load_mip_1d, // llvm.amdgcn.image.load.mip.1d
amdgcn_image_load_mip_1darray, // llvm.amdgcn.image.load.mip.1darray
amdgcn_image_load_mip_2d, // llvm.amdgcn.image.load.mip.2d
amdgcn_image_load_mip_2darray, // llvm.amdgcn.image.load.mip.2darray
amdgcn_image_load_mip_3d, // llvm.amdgcn.image.load.mip.3d
amdgcn_image_load_mip_cube, // llvm.amdgcn.image.load.mip.cube
amdgcn_image_sample_1d, // llvm.amdgcn.image.sample.1d
amdgcn_image_sample_1darray, // llvm.amdgcn.image.sample.1darray
amdgcn_image_sample_2d, // llvm.amdgcn.image.sample.2d
amdgcn_image_sample_2darray, // llvm.amdgcn.image.sample.2darray
amdgcn_image_sample_3d, // llvm.amdgcn.image.sample.3d
amdgcn_image_sample_b_1d, // llvm.amdgcn.image.sample.b.1d
amdgcn_image_sample_b_1darray, // llvm.amdgcn.image.sample.b.1darray
amdgcn_image_sample_b_2d, // llvm.amdgcn.image.sample.b.2d
amdgcn_image_sample_b_2darray, // llvm.amdgcn.image.sample.b.2darray
amdgcn_image_sample_b_3d, // llvm.amdgcn.image.sample.b.3d
amdgcn_image_sample_b_cl_1d, // llvm.amdgcn.image.sample.b.cl.1d
amdgcn_image_sample_b_cl_1darray, // llvm.amdgcn.image.sample.b.cl.1darray
amdgcn_image_sample_b_cl_2d, // llvm.amdgcn.image.sample.b.cl.2d
amdgcn_image_sample_b_cl_2darray, // llvm.amdgcn.image.sample.b.cl.2darray
amdgcn_image_sample_b_cl_3d, // llvm.amdgcn.image.sample.b.cl.3d
amdgcn_image_sample_b_cl_cube, // llvm.amdgcn.image.sample.b.cl.cube
amdgcn_image_sample_b_cl_o_1d, // llvm.amdgcn.image.sample.b.cl.o.1d
amdgcn_image_sample_b_cl_o_1darray, // llvm.amdgcn.image.sample.b.cl.o.1darray
amdgcn_image_sample_b_cl_o_2d, // llvm.amdgcn.image.sample.b.cl.o.2d
amdgcn_image_sample_b_cl_o_2darray, // llvm.amdgcn.image.sample.b.cl.o.2darray
amdgcn_image_sample_b_cl_o_3d, // llvm.amdgcn.image.sample.b.cl.o.3d
amdgcn_image_sample_b_cl_o_cube, // llvm.amdgcn.image.sample.b.cl.o.cube
amdgcn_image_sample_b_cube, // llvm.amdgcn.image.sample.b.cube
amdgcn_image_sample_b_o_1d, // llvm.amdgcn.image.sample.b.o.1d
amdgcn_image_sample_b_o_1darray, // llvm.amdgcn.image.sample.b.o.1darray
amdgcn_image_sample_b_o_2d, // llvm.amdgcn.image.sample.b.o.2d
amdgcn_image_sample_b_o_2darray, // llvm.amdgcn.image.sample.b.o.2darray
amdgcn_image_sample_b_o_3d, // llvm.amdgcn.image.sample.b.o.3d
amdgcn_image_sample_b_o_cube, // llvm.amdgcn.image.sample.b.o.cube
amdgcn_image_sample_c_1d, // llvm.amdgcn.image.sample.c.1d
amdgcn_image_sample_c_1darray, // llvm.amdgcn.image.sample.c.1darray
amdgcn_image_sample_c_2d, // llvm.amdgcn.image.sample.c.2d
amdgcn_image_sample_c_2darray, // llvm.amdgcn.image.sample.c.2darray
amdgcn_image_sample_c_3d, // llvm.amdgcn.image.sample.c.3d
amdgcn_image_sample_c_b_1d, // llvm.amdgcn.image.sample.c.b.1d
amdgcn_image_sample_c_b_1darray, // llvm.amdgcn.image.sample.c.b.1darray
amdgcn_image_sample_c_b_2d, // llvm.amdgcn.image.sample.c.b.2d
amdgcn_image_sample_c_b_2darray, // llvm.amdgcn.image.sample.c.b.2darray
amdgcn_image_sample_c_b_3d, // llvm.amdgcn.image.sample.c.b.3d
amdgcn_image_sample_c_b_cl_1d, // llvm.amdgcn.image.sample.c.b.cl.1d
amdgcn_image_sample_c_b_cl_1darray, // llvm.amdgcn.image.sample.c.b.cl.1darray
amdgcn_image_sample_c_b_cl_2d, // llvm.amdgcn.image.sample.c.b.cl.2d
amdgcn_image_sample_c_b_cl_2darray, // llvm.amdgcn.image.sample.c.b.cl.2darray
amdgcn_image_sample_c_b_cl_3d, // llvm.amdgcn.image.sample.c.b.cl.3d
amdgcn_image_sample_c_b_cl_cube, // llvm.amdgcn.image.sample.c.b.cl.cube
amdgcn_image_sample_c_b_cl_o_1d, // llvm.amdgcn.image.sample.c.b.cl.o.1d
amdgcn_image_sample_c_b_cl_o_1darray, // llvm.amdgcn.image.sample.c.b.cl.o.1darray
amdgcn_image_sample_c_b_cl_o_2d, // llvm.amdgcn.image.sample.c.b.cl.o.2d
amdgcn_image_sample_c_b_cl_o_2darray, // llvm.amdgcn.image.sample.c.b.cl.o.2darray
amdgcn_image_sample_c_b_cl_o_3d, // llvm.amdgcn.image.sample.c.b.cl.o.3d
amdgcn_image_sample_c_b_cl_o_cube, // llvm.amdgcn.image.sample.c.b.cl.o.cube
amdgcn_image_sample_c_b_cube, // llvm.amdgcn.image.sample.c.b.cube
amdgcn_image_sample_c_b_o_1d, // llvm.amdgcn.image.sample.c.b.o.1d
amdgcn_image_sample_c_b_o_1darray, // llvm.amdgcn.image.sample.c.b.o.1darray
amdgcn_image_sample_c_b_o_2d, // llvm.amdgcn.image.sample.c.b.o.2d
amdgcn_image_sample_c_b_o_2darray, // llvm.amdgcn.image.sample.c.b.o.2darray
amdgcn_image_sample_c_b_o_3d, // llvm.amdgcn.image.sample.c.b.o.3d
amdgcn_image_sample_c_b_o_cube, // llvm.amdgcn.image.sample.c.b.o.cube
amdgcn_image_sample_c_cd_1d, // llvm.amdgcn.image.sample.c.cd.1d
amdgcn_image_sample_c_cd_1darray, // llvm.amdgcn.image.sample.c.cd.1darray
amdgcn_image_sample_c_cd_2d, // llvm.amdgcn.image.sample.c.cd.2d
amdgcn_image_sample_c_cd_2darray, // llvm.amdgcn.image.sample.c.cd.2darray
amdgcn_image_sample_c_cd_3d, // llvm.amdgcn.image.sample.c.cd.3d
amdgcn_image_sample_c_cd_cl_1d, // llvm.amdgcn.image.sample.c.cd.cl.1d
amdgcn_image_sample_c_cd_cl_1darray, // llvm.amdgcn.image.sample.c.cd.cl.1darray
amdgcn_image_sample_c_cd_cl_2d, // llvm.amdgcn.image.sample.c.cd.cl.2d
amdgcn_image_sample_c_cd_cl_2darray, // llvm.amdgcn.image.sample.c.cd.cl.2darray
amdgcn_image_sample_c_cd_cl_3d, // llvm.amdgcn.image.sample.c.cd.cl.3d
amdgcn_image_sample_c_cd_cl_cube, // llvm.amdgcn.image.sample.c.cd.cl.cube
amdgcn_image_sample_c_cd_cl_o_1d, // llvm.amdgcn.image.sample.c.cd.cl.o.1d
amdgcn_image_sample_c_cd_cl_o_1darray, // llvm.amdgcn.image.sample.c.cd.cl.o.1darray
amdgcn_image_sample_c_cd_cl_o_2d, // llvm.amdgcn.image.sample.c.cd.cl.o.2d
amdgcn_image_sample_c_cd_cl_o_2darray, // llvm.amdgcn.image.sample.c.cd.cl.o.2darray
amdgcn_image_sample_c_cd_cl_o_3d, // llvm.amdgcn.image.sample.c.cd.cl.o.3d
amdgcn_image_sample_c_cd_cl_o_cube, // llvm.amdgcn.image.sample.c.cd.cl.o.cube
amdgcn_image_sample_c_cd_cube, // llvm.amdgcn.image.sample.c.cd.cube
amdgcn_image_sample_c_cd_o_1d, // llvm.amdgcn.image.sample.c.cd.o.1d
amdgcn_image_sample_c_cd_o_1darray, // llvm.amdgcn.image.sample.c.cd.o.1darray
amdgcn_image_sample_c_cd_o_2d, // llvm.amdgcn.image.sample.c.cd.o.2d
amdgcn_image_sample_c_cd_o_2darray, // llvm.amdgcn.image.sample.c.cd.o.2darray
amdgcn_image_sample_c_cd_o_3d, // llvm.amdgcn.image.sample.c.cd.o.3d
amdgcn_image_sample_c_cd_o_cube, // llvm.amdgcn.image.sample.c.cd.o.cube
amdgcn_image_sample_c_cl_1d, // llvm.amdgcn.image.sample.c.cl.1d
amdgcn_image_sample_c_cl_1darray, // llvm.amdgcn.image.sample.c.cl.1darray
amdgcn_image_sample_c_cl_2d, // llvm.amdgcn.image.sample.c.cl.2d
amdgcn_image_sample_c_cl_2darray, // llvm.amdgcn.image.sample.c.cl.2darray
amdgcn_image_sample_c_cl_3d, // llvm.amdgcn.image.sample.c.cl.3d
amdgcn_image_sample_c_cl_cube, // llvm.amdgcn.image.sample.c.cl.cube
amdgcn_image_sample_c_cl_o_1d, // llvm.amdgcn.image.sample.c.cl.o.1d
amdgcn_image_sample_c_cl_o_1darray, // llvm.amdgcn.image.sample.c.cl.o.1darray
amdgcn_image_sample_c_cl_o_2d, // llvm.amdgcn.image.sample.c.cl.o.2d
amdgcn_image_sample_c_cl_o_2darray, // llvm.amdgcn.image.sample.c.cl.o.2darray
amdgcn_image_sample_c_cl_o_3d, // llvm.amdgcn.image.sample.c.cl.o.3d
amdgcn_image_sample_c_cl_o_cube, // llvm.amdgcn.image.sample.c.cl.o.cube
amdgcn_image_sample_c_cube, // llvm.amdgcn.image.sample.c.cube
amdgcn_image_sample_c_d_1d, // llvm.amdgcn.image.sample.c.d.1d
amdgcn_image_sample_c_d_1darray, // llvm.amdgcn.image.sample.c.d.1darray
amdgcn_image_sample_c_d_2d, // llvm.amdgcn.image.sample.c.d.2d
amdgcn_image_sample_c_d_2darray, // llvm.amdgcn.image.sample.c.d.2darray
amdgcn_image_sample_c_d_3d, // llvm.amdgcn.image.sample.c.d.3d
amdgcn_image_sample_c_d_cl_1d, // llvm.amdgcn.image.sample.c.d.cl.1d
amdgcn_image_sample_c_d_cl_1darray, // llvm.amdgcn.image.sample.c.d.cl.1darray
amdgcn_image_sample_c_d_cl_2d, // llvm.amdgcn.image.sample.c.d.cl.2d
amdgcn_image_sample_c_d_cl_2darray, // llvm.amdgcn.image.sample.c.d.cl.2darray
amdgcn_image_sample_c_d_cl_3d, // llvm.amdgcn.image.sample.c.d.cl.3d
amdgcn_image_sample_c_d_cl_cube, // llvm.amdgcn.image.sample.c.d.cl.cube
amdgcn_image_sample_c_d_cl_o_1d, // llvm.amdgcn.image.sample.c.d.cl.o.1d
amdgcn_image_sample_c_d_cl_o_1darray, // llvm.amdgcn.image.sample.c.d.cl.o.1darray
amdgcn_image_sample_c_d_cl_o_2d, // llvm.amdgcn.image.sample.c.d.cl.o.2d
amdgcn_image_sample_c_d_cl_o_2darray, // llvm.amdgcn.image.sample.c.d.cl.o.2darray
amdgcn_image_sample_c_d_cl_o_3d, // llvm.amdgcn.image.sample.c.d.cl.o.3d
amdgcn_image_sample_c_d_cl_o_cube, // llvm.amdgcn.image.sample.c.d.cl.o.cube
amdgcn_image_sample_c_d_cube, // llvm.amdgcn.image.sample.c.d.cube
amdgcn_image_sample_c_d_o_1d, // llvm.amdgcn.image.sample.c.d.o.1d
amdgcn_image_sample_c_d_o_1darray, // llvm.amdgcn.image.sample.c.d.o.1darray
amdgcn_image_sample_c_d_o_2d, // llvm.amdgcn.image.sample.c.d.o.2d
amdgcn_image_sample_c_d_o_2darray, // llvm.amdgcn.image.sample.c.d.o.2darray
amdgcn_image_sample_c_d_o_3d, // llvm.amdgcn.image.sample.c.d.o.3d
amdgcn_image_sample_c_d_o_cube, // llvm.amdgcn.image.sample.c.d.o.cube
amdgcn_image_sample_c_l_1d, // llvm.amdgcn.image.sample.c.l.1d
amdgcn_image_sample_c_l_1darray, // llvm.amdgcn.image.sample.c.l.1darray
amdgcn_image_sample_c_l_2d, // llvm.amdgcn.image.sample.c.l.2d
amdgcn_image_sample_c_l_2darray, // llvm.amdgcn.image.sample.c.l.2darray
amdgcn_image_sample_c_l_3d, // llvm.amdgcn.image.sample.c.l.3d
amdgcn_image_sample_c_l_cube, // llvm.amdgcn.image.sample.c.l.cube
amdgcn_image_sample_c_l_o_1d, // llvm.amdgcn.image.sample.c.l.o.1d
amdgcn_image_sample_c_l_o_1darray, // llvm.amdgcn.image.sample.c.l.o.1darray
amdgcn_image_sample_c_l_o_2d, // llvm.amdgcn.image.sample.c.l.o.2d
amdgcn_image_sample_c_l_o_2darray, // llvm.amdgcn.image.sample.c.l.o.2darray
amdgcn_image_sample_c_l_o_3d, // llvm.amdgcn.image.sample.c.l.o.3d
amdgcn_image_sample_c_l_o_cube, // llvm.amdgcn.image.sample.c.l.o.cube
amdgcn_image_sample_c_lz_1d, // llvm.amdgcn.image.sample.c.lz.1d
amdgcn_image_sample_c_lz_1darray, // llvm.amdgcn.image.sample.c.lz.1darray
amdgcn_image_sample_c_lz_2d, // llvm.amdgcn.image.sample.c.lz.2d
amdgcn_image_sample_c_lz_2darray, // llvm.amdgcn.image.sample.c.lz.2darray
amdgcn_image_sample_c_lz_3d, // llvm.amdgcn.image.sample.c.lz.3d
amdgcn_image_sample_c_lz_cube, // llvm.amdgcn.image.sample.c.lz.cube
amdgcn_image_sample_c_lz_o_1d, // llvm.amdgcn.image.sample.c.lz.o.1d
amdgcn_image_sample_c_lz_o_1darray, // llvm.amdgcn.image.sample.c.lz.o.1darray
amdgcn_image_sample_c_lz_o_2d, // llvm.amdgcn.image.sample.c.lz.o.2d
amdgcn_image_sample_c_lz_o_2darray, // llvm.amdgcn.image.sample.c.lz.o.2darray
amdgcn_image_sample_c_lz_o_3d, // llvm.amdgcn.image.sample.c.lz.o.3d
amdgcn_image_sample_c_lz_o_cube, // llvm.amdgcn.image.sample.c.lz.o.cube
amdgcn_image_sample_c_o_1d, // llvm.amdgcn.image.sample.c.o.1d
amdgcn_image_sample_c_o_1darray, // llvm.amdgcn.image.sample.c.o.1darray
amdgcn_image_sample_c_o_2d, // llvm.amdgcn.image.sample.c.o.2d
amdgcn_image_sample_c_o_2darray, // llvm.amdgcn.image.sample.c.o.2darray
amdgcn_image_sample_c_o_3d, // llvm.amdgcn.image.sample.c.o.3d
amdgcn_image_sample_c_o_cube, // llvm.amdgcn.image.sample.c.o.cube
amdgcn_image_sample_cd_1d, // llvm.amdgcn.image.sample.cd.1d
amdgcn_image_sample_cd_1darray, // llvm.amdgcn.image.sample.cd.1darray
amdgcn_image_sample_cd_2d, // llvm.amdgcn.image.sample.cd.2d
amdgcn_image_sample_cd_2darray, // llvm.amdgcn.image.sample.cd.2darray
amdgcn_image_sample_cd_3d, // llvm.amdgcn.image.sample.cd.3d
amdgcn_image_sample_cd_cl_1d, // llvm.amdgcn.image.sample.cd.cl.1d
amdgcn_image_sample_cd_cl_1darray, // llvm.amdgcn.image.sample.cd.cl.1darray
amdgcn_image_sample_cd_cl_2d, // llvm.amdgcn.image.sample.cd.cl.2d
amdgcn_image_sample_cd_cl_2darray, // llvm.amdgcn.image.sample.cd.cl.2darray
amdgcn_image_sample_cd_cl_3d, // llvm.amdgcn.image.sample.cd.cl.3d
amdgcn_image_sample_cd_cl_cube, // llvm.amdgcn.image.sample.cd.cl.cube
amdgcn_image_sample_cd_cl_o_1d, // llvm.amdgcn.image.sample.cd.cl.o.1d
amdgcn_image_sample_cd_cl_o_1darray, // llvm.amdgcn.image.sample.cd.cl.o.1darray
amdgcn_image_sample_cd_cl_o_2d, // llvm.amdgcn.image.sample.cd.cl.o.2d
amdgcn_image_sample_cd_cl_o_2darray, // llvm.amdgcn.image.sample.cd.cl.o.2darray
amdgcn_image_sample_cd_cl_o_3d, // llvm.amdgcn.image.sample.cd.cl.o.3d
amdgcn_image_sample_cd_cl_o_cube, // llvm.amdgcn.image.sample.cd.cl.o.cube
amdgcn_image_sample_cd_cube, // llvm.amdgcn.image.sample.cd.cube
amdgcn_image_sample_cd_o_1d, // llvm.amdgcn.image.sample.cd.o.1d
amdgcn_image_sample_cd_o_1darray, // llvm.amdgcn.image.sample.cd.o.1darray
amdgcn_image_sample_cd_o_2d, // llvm.amdgcn.image.sample.cd.o.2d
amdgcn_image_sample_cd_o_2darray, // llvm.amdgcn.image.sample.cd.o.2darray
amdgcn_image_sample_cd_o_3d, // llvm.amdgcn.image.sample.cd.o.3d
amdgcn_image_sample_cd_o_cube, // llvm.amdgcn.image.sample.cd.o.cube
amdgcn_image_sample_cl_1d, // llvm.amdgcn.image.sample.cl.1d
amdgcn_image_sample_cl_1darray, // llvm.amdgcn.image.sample.cl.1darray
amdgcn_image_sample_cl_2d, // llvm.amdgcn.image.sample.cl.2d
amdgcn_image_sample_cl_2darray, // llvm.amdgcn.image.sample.cl.2darray
amdgcn_image_sample_cl_3d, // llvm.amdgcn.image.sample.cl.3d
amdgcn_image_sample_cl_cube, // llvm.amdgcn.image.sample.cl.cube
amdgcn_image_sample_cl_o_1d, // llvm.amdgcn.image.sample.cl.o.1d
amdgcn_image_sample_cl_o_1darray, // llvm.amdgcn.image.sample.cl.o.1darray
amdgcn_image_sample_cl_o_2d, // llvm.amdgcn.image.sample.cl.o.2d
amdgcn_image_sample_cl_o_2darray, // llvm.amdgcn.image.sample.cl.o.2darray
amdgcn_image_sample_cl_o_3d, // llvm.amdgcn.image.sample.cl.o.3d
amdgcn_image_sample_cl_o_cube, // llvm.amdgcn.image.sample.cl.o.cube
amdgcn_image_sample_cube, // llvm.amdgcn.image.sample.cube
amdgcn_image_sample_d_1d, // llvm.amdgcn.image.sample.d.1d
amdgcn_image_sample_d_1darray, // llvm.amdgcn.image.sample.d.1darray
amdgcn_image_sample_d_2d, // llvm.amdgcn.image.sample.d.2d
amdgcn_image_sample_d_2darray, // llvm.amdgcn.image.sample.d.2darray
amdgcn_image_sample_d_3d, // llvm.amdgcn.image.sample.d.3d
amdgcn_image_sample_d_cl_1d, // llvm.amdgcn.image.sample.d.cl.1d
amdgcn_image_sample_d_cl_1darray, // llvm.amdgcn.image.sample.d.cl.1darray
amdgcn_image_sample_d_cl_2d, // llvm.amdgcn.image.sample.d.cl.2d
amdgcn_image_sample_d_cl_2darray, // llvm.amdgcn.image.sample.d.cl.2darray
amdgcn_image_sample_d_cl_3d, // llvm.amdgcn.image.sample.d.cl.3d
amdgcn_image_sample_d_cl_cube, // llvm.amdgcn.image.sample.d.cl.cube
amdgcn_image_sample_d_cl_o_1d, // llvm.amdgcn.image.sample.d.cl.o.1d
amdgcn_image_sample_d_cl_o_1darray, // llvm.amdgcn.image.sample.d.cl.o.1darray
amdgcn_image_sample_d_cl_o_2d, // llvm.amdgcn.image.sample.d.cl.o.2d
amdgcn_image_sample_d_cl_o_2darray, // llvm.amdgcn.image.sample.d.cl.o.2darray
amdgcn_image_sample_d_cl_o_3d, // llvm.amdgcn.image.sample.d.cl.o.3d
amdgcn_image_sample_d_cl_o_cube, // llvm.amdgcn.image.sample.d.cl.o.cube
amdgcn_image_sample_d_cube, // llvm.amdgcn.image.sample.d.cube
amdgcn_image_sample_d_o_1d, // llvm.amdgcn.image.sample.d.o.1d
amdgcn_image_sample_d_o_1darray, // llvm.amdgcn.image.sample.d.o.1darray
amdgcn_image_sample_d_o_2d, // llvm.amdgcn.image.sample.d.o.2d
amdgcn_image_sample_d_o_2darray, // llvm.amdgcn.image.sample.d.o.2darray
amdgcn_image_sample_d_o_3d, // llvm.amdgcn.image.sample.d.o.3d
amdgcn_image_sample_d_o_cube, // llvm.amdgcn.image.sample.d.o.cube
amdgcn_image_sample_l_1d, // llvm.amdgcn.image.sample.l.1d
amdgcn_image_sample_l_1darray, // llvm.amdgcn.image.sample.l.1darray
amdgcn_image_sample_l_2d, // llvm.amdgcn.image.sample.l.2d
amdgcn_image_sample_l_2darray, // llvm.amdgcn.image.sample.l.2darray
amdgcn_image_sample_l_3d, // llvm.amdgcn.image.sample.l.3d
amdgcn_image_sample_l_cube, // llvm.amdgcn.image.sample.l.cube
amdgcn_image_sample_l_o_1d, // llvm.amdgcn.image.sample.l.o.1d
amdgcn_image_sample_l_o_1darray, // llvm.amdgcn.image.sample.l.o.1darray
amdgcn_image_sample_l_o_2d, // llvm.amdgcn.image.sample.l.o.2d
amdgcn_image_sample_l_o_2darray, // llvm.amdgcn.image.sample.l.o.2darray
amdgcn_image_sample_l_o_3d, // llvm.amdgcn.image.sample.l.o.3d
amdgcn_image_sample_l_o_cube, // llvm.amdgcn.image.sample.l.o.cube
amdgcn_image_sample_lz_1d, // llvm.amdgcn.image.sample.lz.1d
amdgcn_image_sample_lz_1darray, // llvm.amdgcn.image.sample.lz.1darray
amdgcn_image_sample_lz_2d, // llvm.amdgcn.image.sample.lz.2d
amdgcn_image_sample_lz_2darray, // llvm.amdgcn.image.sample.lz.2darray
amdgcn_image_sample_lz_3d, // llvm.amdgcn.image.sample.lz.3d
amdgcn_image_sample_lz_cube, // llvm.amdgcn.image.sample.lz.cube
amdgcn_image_sample_lz_o_1d, // llvm.amdgcn.image.sample.lz.o.1d
amdgcn_image_sample_lz_o_1darray, // llvm.amdgcn.image.sample.lz.o.1darray
amdgcn_image_sample_lz_o_2d, // llvm.amdgcn.image.sample.lz.o.2d
amdgcn_image_sample_lz_o_2darray, // llvm.amdgcn.image.sample.lz.o.2darray
amdgcn_image_sample_lz_o_3d, // llvm.amdgcn.image.sample.lz.o.3d
amdgcn_image_sample_lz_o_cube, // llvm.amdgcn.image.sample.lz.o.cube
amdgcn_image_sample_o_1d, // llvm.amdgcn.image.sample.o.1d
amdgcn_image_sample_o_1darray, // llvm.amdgcn.image.sample.o.1darray
amdgcn_image_sample_o_2d, // llvm.amdgcn.image.sample.o.2d
amdgcn_image_sample_o_2darray, // llvm.amdgcn.image.sample.o.2darray
amdgcn_image_sample_o_3d, // llvm.amdgcn.image.sample.o.3d
amdgcn_image_sample_o_cube, // llvm.amdgcn.image.sample.o.cube
amdgcn_image_store_1d, // llvm.amdgcn.image.store.1d
amdgcn_image_store_1darray, // llvm.amdgcn.image.store.1darray
amdgcn_image_store_2d, // llvm.amdgcn.image.store.2d
amdgcn_image_store_2darray, // llvm.amdgcn.image.store.2darray
amdgcn_image_store_2darraymsaa, // llvm.amdgcn.image.store.2darraymsaa
amdgcn_image_store_2dmsaa, // llvm.amdgcn.image.store.2dmsaa
amdgcn_image_store_3d, // llvm.amdgcn.image.store.3d
amdgcn_image_store_cube, // llvm.amdgcn.image.store.cube
amdgcn_image_store_mip_1d, // llvm.amdgcn.image.store.mip.1d
amdgcn_image_store_mip_1darray, // llvm.amdgcn.image.store.mip.1darray
amdgcn_image_store_mip_2d, // llvm.amdgcn.image.store.mip.2d
amdgcn_image_store_mip_2darray, // llvm.amdgcn.image.store.mip.2darray
amdgcn_image_store_mip_3d, // llvm.amdgcn.image.store.mip.3d
amdgcn_image_store_mip_cube, // llvm.amdgcn.image.store.mip.cube
amdgcn_implicit_buffer_ptr, // llvm.amdgcn.implicit.buffer.ptr
amdgcn_implicitarg_ptr, // llvm.amdgcn.implicitarg.ptr
amdgcn_init_exec, // llvm.amdgcn.init.exec
amdgcn_init_exec_from_input, // llvm.amdgcn.init.exec.from.input
amdgcn_interp_mov, // llvm.amdgcn.interp.mov
amdgcn_interp_p1, // llvm.amdgcn.interp.p1
amdgcn_interp_p1_f16, // llvm.amdgcn.interp.p1.f16
amdgcn_interp_p2, // llvm.amdgcn.interp.p2
amdgcn_interp_p2_f16, // llvm.amdgcn.interp.p2.f16
amdgcn_kernarg_segment_ptr, // llvm.amdgcn.kernarg.segment.ptr
amdgcn_kill, // llvm.amdgcn.kill
amdgcn_ldexp, // llvm.amdgcn.ldexp
amdgcn_lerp, // llvm.amdgcn.lerp
amdgcn_log_clamp, // llvm.amdgcn.log.clamp
amdgcn_loop, // llvm.amdgcn.loop
amdgcn_mbcnt_hi, // llvm.amdgcn.mbcnt.hi
amdgcn_mbcnt_lo, // llvm.amdgcn.mbcnt.lo
amdgcn_mov_dpp, // llvm.amdgcn.mov.dpp
amdgcn_mqsad_pk_u16_u8, // llvm.amdgcn.mqsad.pk.u16.u8
amdgcn_mqsad_u32_u8, // llvm.amdgcn.mqsad.u32.u8
amdgcn_msad_u8, // llvm.amdgcn.msad.u8
amdgcn_ps_live, // llvm.amdgcn.ps.live
amdgcn_qsad_pk_u16_u8, // llvm.amdgcn.qsad.pk.u16.u8
amdgcn_queue_ptr, // llvm.amdgcn.queue.ptr
amdgcn_raw_buffer_atomic_add, // llvm.amdgcn.raw.buffer.atomic.add
amdgcn_raw_buffer_atomic_and, // llvm.amdgcn.raw.buffer.atomic.and
amdgcn_raw_buffer_atomic_cmpswap, // llvm.amdgcn.raw.buffer.atomic.cmpswap
amdgcn_raw_buffer_atomic_or, // llvm.amdgcn.raw.buffer.atomic.or
amdgcn_raw_buffer_atomic_smax, // llvm.amdgcn.raw.buffer.atomic.smax
amdgcn_raw_buffer_atomic_smin, // llvm.amdgcn.raw.buffer.atomic.smin
amdgcn_raw_buffer_atomic_sub, // llvm.amdgcn.raw.buffer.atomic.sub
amdgcn_raw_buffer_atomic_swap, // llvm.amdgcn.raw.buffer.atomic.swap
amdgcn_raw_buffer_atomic_umax, // llvm.amdgcn.raw.buffer.atomic.umax
amdgcn_raw_buffer_atomic_umin, // llvm.amdgcn.raw.buffer.atomic.umin
amdgcn_raw_buffer_atomic_xor, // llvm.amdgcn.raw.buffer.atomic.xor
amdgcn_raw_buffer_load, // llvm.amdgcn.raw.buffer.load
amdgcn_raw_buffer_load_format, // llvm.amdgcn.raw.buffer.load.format
amdgcn_raw_buffer_store, // llvm.amdgcn.raw.buffer.store
amdgcn_raw_buffer_store_format, // llvm.amdgcn.raw.buffer.store.format
amdgcn_raw_tbuffer_load, // llvm.amdgcn.raw.tbuffer.load
amdgcn_raw_tbuffer_store, // llvm.amdgcn.raw.tbuffer.store
amdgcn_rcp, // llvm.amdgcn.rcp
amdgcn_rcp_legacy, // llvm.amdgcn.rcp.legacy
amdgcn_readfirstlane, // llvm.amdgcn.readfirstlane
amdgcn_readlane, // llvm.amdgcn.readlane
amdgcn_rsq, // llvm.amdgcn.rsq
amdgcn_rsq_clamp, // llvm.amdgcn.rsq.clamp
amdgcn_rsq_legacy, // llvm.amdgcn.rsq.legacy
amdgcn_s_barrier, // llvm.amdgcn.s.barrier
amdgcn_s_buffer_load, // llvm.amdgcn.s.buffer.load
amdgcn_s_dcache_inv, // llvm.amdgcn.s.dcache.inv
amdgcn_s_dcache_inv_vol, // llvm.amdgcn.s.dcache.inv.vol
amdgcn_s_dcache_wb, // llvm.amdgcn.s.dcache.wb
amdgcn_s_dcache_wb_vol, // llvm.amdgcn.s.dcache.wb.vol
amdgcn_s_decperflevel, // llvm.amdgcn.s.decperflevel
amdgcn_s_getpc, // llvm.amdgcn.s.getpc
amdgcn_s_getreg, // llvm.amdgcn.s.getreg
amdgcn_s_incperflevel, // llvm.amdgcn.s.incperflevel
amdgcn_s_memrealtime, // llvm.amdgcn.s.memrealtime
amdgcn_s_memtime, // llvm.amdgcn.s.memtime
amdgcn_s_sendmsg, // llvm.amdgcn.s.sendmsg
amdgcn_s_sendmsghalt, // llvm.amdgcn.s.sendmsghalt
amdgcn_s_sleep, // llvm.amdgcn.s.sleep
amdgcn_s_waitcnt, // llvm.amdgcn.s.waitcnt
amdgcn_sad_hi_u8, // llvm.amdgcn.sad.hi.u8
amdgcn_sad_u16, // llvm.amdgcn.sad.u16
amdgcn_sad_u8, // llvm.amdgcn.sad.u8
amdgcn_sbfe, // llvm.amdgcn.sbfe
amdgcn_sdot2, // llvm.amdgcn.sdot2
amdgcn_sdot4, // llvm.amdgcn.sdot4
amdgcn_sdot8, // llvm.amdgcn.sdot8
amdgcn_set_inactive, // llvm.amdgcn.set.inactive
amdgcn_sffbh, // llvm.amdgcn.sffbh
amdgcn_sin, // llvm.amdgcn.sin
amdgcn_struct_buffer_atomic_add, // llvm.amdgcn.struct.buffer.atomic.add
amdgcn_struct_buffer_atomic_and, // llvm.amdgcn.struct.buffer.atomic.and
amdgcn_struct_buffer_atomic_cmpswap, // llvm.amdgcn.struct.buffer.atomic.cmpswap
amdgcn_struct_buffer_atomic_or, // llvm.amdgcn.struct.buffer.atomic.or
amdgcn_struct_buffer_atomic_smax, // llvm.amdgcn.struct.buffer.atomic.smax
amdgcn_struct_buffer_atomic_smin, // llvm.amdgcn.struct.buffer.atomic.smin
amdgcn_struct_buffer_atomic_sub, // llvm.amdgcn.struct.buffer.atomic.sub
amdgcn_struct_buffer_atomic_swap, // llvm.amdgcn.struct.buffer.atomic.swap
amdgcn_struct_buffer_atomic_umax, // llvm.amdgcn.struct.buffer.atomic.umax
amdgcn_struct_buffer_atomic_umin, // llvm.amdgcn.struct.buffer.atomic.umin
amdgcn_struct_buffer_atomic_xor, // llvm.amdgcn.struct.buffer.atomic.xor
amdgcn_struct_buffer_load, // llvm.amdgcn.struct.buffer.load
amdgcn_struct_buffer_load_format, // llvm.amdgcn.struct.buffer.load.format
amdgcn_struct_buffer_store, // llvm.amdgcn.struct.buffer.store
amdgcn_struct_buffer_store_format, // llvm.amdgcn.struct.buffer.store.format
amdgcn_struct_tbuffer_load, // llvm.amdgcn.struct.tbuffer.load
amdgcn_struct_tbuffer_store, // llvm.amdgcn.struct.tbuffer.store
amdgcn_tbuffer_load, // llvm.amdgcn.tbuffer.load
amdgcn_tbuffer_store, // llvm.amdgcn.tbuffer.store
amdgcn_trig_preop, // llvm.amdgcn.trig.preop
amdgcn_ubfe, // llvm.amdgcn.ubfe
amdgcn_udot2, // llvm.amdgcn.udot2
amdgcn_udot4, // llvm.amdgcn.udot4
amdgcn_udot8, // llvm.amdgcn.udot8
amdgcn_unreachable, // llvm.amdgcn.unreachable
amdgcn_update_dpp, // llvm.amdgcn.update.dpp
amdgcn_wave_barrier, // llvm.amdgcn.wave.barrier
amdgcn_workgroup_id_x, // llvm.amdgcn.workgroup.id.x
amdgcn_workgroup_id_y, // llvm.amdgcn.workgroup.id.y
amdgcn_workgroup_id_z, // llvm.amdgcn.workgroup.id.z
amdgcn_workitem_id_x, // llvm.amdgcn.workitem.id.x
amdgcn_workitem_id_y, // llvm.amdgcn.workitem.id.y
amdgcn_workitem_id_z, // llvm.amdgcn.workitem.id.z
amdgcn_wqm, // llvm.amdgcn.wqm
amdgcn_wqm_vote, // llvm.amdgcn.wqm.vote
amdgcn_writelane, // llvm.amdgcn.writelane
amdgcn_wwm, // llvm.amdgcn.wwm
arm_cdp, // llvm.arm.cdp
arm_cdp2, // llvm.arm.cdp2
arm_clrex, // llvm.arm.clrex
arm_crc32b, // llvm.arm.crc32b
arm_crc32cb, // llvm.arm.crc32cb
arm_crc32ch, // llvm.arm.crc32ch
arm_crc32cw, // llvm.arm.crc32cw
arm_crc32h, // llvm.arm.crc32h
arm_crc32w, // llvm.arm.crc32w
arm_dbg, // llvm.arm.dbg
arm_dmb, // llvm.arm.dmb
arm_dsb, // llvm.arm.dsb
arm_get_fpscr, // llvm.arm.get.fpscr
arm_hint, // llvm.arm.hint
arm_isb, // llvm.arm.isb
arm_ldaex, // llvm.arm.ldaex
arm_ldaexd, // llvm.arm.ldaexd
arm_ldc, // llvm.arm.ldc
arm_ldc2, // llvm.arm.ldc2
arm_ldc2l, // llvm.arm.ldc2l
arm_ldcl, // llvm.arm.ldcl
arm_ldrex, // llvm.arm.ldrex
arm_ldrexd, // llvm.arm.ldrexd
arm_mcr, // llvm.arm.mcr
arm_mcr2, // llvm.arm.mcr2
arm_mcrr, // llvm.arm.mcrr
arm_mcrr2, // llvm.arm.mcrr2
arm_mrc, // llvm.arm.mrc
arm_mrc2, // llvm.arm.mrc2
arm_mrrc, // llvm.arm.mrrc
arm_mrrc2, // llvm.arm.mrrc2
arm_neon_aesd, // llvm.arm.neon.aesd
arm_neon_aese, // llvm.arm.neon.aese
arm_neon_aesimc, // llvm.arm.neon.aesimc
arm_neon_aesmc, // llvm.arm.neon.aesmc
arm_neon_sdot, // llvm.arm.neon.sdot
arm_neon_sha1c, // llvm.arm.neon.sha1c
arm_neon_sha1h, // llvm.arm.neon.sha1h
arm_neon_sha1m, // llvm.arm.neon.sha1m
arm_neon_sha1p, // llvm.arm.neon.sha1p
arm_neon_sha1su0, // llvm.arm.neon.sha1su0
arm_neon_sha1su1, // llvm.arm.neon.sha1su1
arm_neon_sha256h, // llvm.arm.neon.sha256h
arm_neon_sha256h2, // llvm.arm.neon.sha256h2
arm_neon_sha256su0, // llvm.arm.neon.sha256su0
arm_neon_sha256su1, // llvm.arm.neon.sha256su1
arm_neon_udot, // llvm.arm.neon.udot
arm_neon_vabds, // llvm.arm.neon.vabds
arm_neon_vabdu, // llvm.arm.neon.vabdu
arm_neon_vabs, // llvm.arm.neon.vabs
arm_neon_vacge, // llvm.arm.neon.vacge
arm_neon_vacgt, // llvm.arm.neon.vacgt
arm_neon_vbsl, // llvm.arm.neon.vbsl
arm_neon_vcls, // llvm.arm.neon.vcls
arm_neon_vcvtas, // llvm.arm.neon.vcvtas
arm_neon_vcvtau, // llvm.arm.neon.vcvtau
arm_neon_vcvtfp2fxs, // llvm.arm.neon.vcvtfp2fxs
arm_neon_vcvtfp2fxu, // llvm.arm.neon.vcvtfp2fxu
arm_neon_vcvtfp2hf, // llvm.arm.neon.vcvtfp2hf
arm_neon_vcvtfxs2fp, // llvm.arm.neon.vcvtfxs2fp
arm_neon_vcvtfxu2fp, // llvm.arm.neon.vcvtfxu2fp
arm_neon_vcvthf2fp, // llvm.arm.neon.vcvthf2fp
arm_neon_vcvtms, // llvm.arm.neon.vcvtms
arm_neon_vcvtmu, // llvm.arm.neon.vcvtmu
arm_neon_vcvtns, // llvm.arm.neon.vcvtns
arm_neon_vcvtnu, // llvm.arm.neon.vcvtnu
arm_neon_vcvtps, // llvm.arm.neon.vcvtps
arm_neon_vcvtpu, // llvm.arm.neon.vcvtpu
arm_neon_vhadds, // llvm.arm.neon.vhadds
arm_neon_vhaddu, // llvm.arm.neon.vhaddu
arm_neon_vhsubs, // llvm.arm.neon.vhsubs
arm_neon_vhsubu, // llvm.arm.neon.vhsubu
arm_neon_vld1, // llvm.arm.neon.vld1
arm_neon_vld1x2, // llvm.arm.neon.vld1x2
arm_neon_vld1x3, // llvm.arm.neon.vld1x3
arm_neon_vld1x4, // llvm.arm.neon.vld1x4
arm_neon_vld2, // llvm.arm.neon.vld2
arm_neon_vld2dup, // llvm.arm.neon.vld2dup
arm_neon_vld2lane, // llvm.arm.neon.vld2lane
arm_neon_vld3, // llvm.arm.neon.vld3
arm_neon_vld3dup, // llvm.arm.neon.vld3dup
arm_neon_vld3lane, // llvm.arm.neon.vld3lane
arm_neon_vld4, // llvm.arm.neon.vld4
arm_neon_vld4dup, // llvm.arm.neon.vld4dup
arm_neon_vld4lane, // llvm.arm.neon.vld4lane
arm_neon_vmaxnm, // llvm.arm.neon.vmaxnm
arm_neon_vmaxs, // llvm.arm.neon.vmaxs
arm_neon_vmaxu, // llvm.arm.neon.vmaxu
arm_neon_vminnm, // llvm.arm.neon.vminnm
arm_neon_vmins, // llvm.arm.neon.vmins
arm_neon_vminu, // llvm.arm.neon.vminu
arm_neon_vmullp, // llvm.arm.neon.vmullp
arm_neon_vmulls, // llvm.arm.neon.vmulls
arm_neon_vmullu, // llvm.arm.neon.vmullu
arm_neon_vmulp, // llvm.arm.neon.vmulp
arm_neon_vpadals, // llvm.arm.neon.vpadals
arm_neon_vpadalu, // llvm.arm.neon.vpadalu
arm_neon_vpadd, // llvm.arm.neon.vpadd
arm_neon_vpaddls, // llvm.arm.neon.vpaddls
arm_neon_vpaddlu, // llvm.arm.neon.vpaddlu
arm_neon_vpmaxs, // llvm.arm.neon.vpmaxs
arm_neon_vpmaxu, // llvm.arm.neon.vpmaxu
arm_neon_vpmins, // llvm.arm.neon.vpmins
arm_neon_vpminu, // llvm.arm.neon.vpminu
arm_neon_vqabs, // llvm.arm.neon.vqabs
arm_neon_vqadds, // llvm.arm.neon.vqadds
arm_neon_vqaddu, // llvm.arm.neon.vqaddu
arm_neon_vqdmulh, // llvm.arm.neon.vqdmulh
arm_neon_vqdmull, // llvm.arm.neon.vqdmull
arm_neon_vqmovns, // llvm.arm.neon.vqmovns
arm_neon_vqmovnsu, // llvm.arm.neon.vqmovnsu
arm_neon_vqmovnu, // llvm.arm.neon.vqmovnu
arm_neon_vqneg, // llvm.arm.neon.vqneg
arm_neon_vqrdmulh, // llvm.arm.neon.vqrdmulh
arm_neon_vqrshiftns, // llvm.arm.neon.vqrshiftns
arm_neon_vqrshiftnsu, // llvm.arm.neon.vqrshiftnsu
arm_neon_vqrshiftnu, // llvm.arm.neon.vqrshiftnu
arm_neon_vqrshifts, // llvm.arm.neon.vqrshifts
arm_neon_vqrshiftu, // llvm.arm.neon.vqrshiftu
arm_neon_vqshiftns, // llvm.arm.neon.vqshiftns
arm_neon_vqshiftnsu, // llvm.arm.neon.vqshiftnsu
arm_neon_vqshiftnu, // llvm.arm.neon.vqshiftnu
arm_neon_vqshifts, // llvm.arm.neon.vqshifts
arm_neon_vqshiftsu, // llvm.arm.neon.vqshiftsu
arm_neon_vqshiftu, // llvm.arm.neon.vqshiftu
arm_neon_vqsubs, // llvm.arm.neon.vqsubs
arm_neon_vqsubu, // llvm.arm.neon.vqsubu
arm_neon_vraddhn, // llvm.arm.neon.vraddhn
arm_neon_vrecpe, // llvm.arm.neon.vrecpe
arm_neon_vrecps, // llvm.arm.neon.vrecps
arm_neon_vrhadds, // llvm.arm.neon.vrhadds
arm_neon_vrhaddu, // llvm.arm.neon.vrhaddu
arm_neon_vrinta, // llvm.arm.neon.vrinta
arm_neon_vrintm, // llvm.arm.neon.vrintm
arm_neon_vrintn, // llvm.arm.neon.vrintn
arm_neon_vrintp, // llvm.arm.neon.vrintp
arm_neon_vrintx, // llvm.arm.neon.vrintx
arm_neon_vrintz, // llvm.arm.neon.vrintz
arm_neon_vrshiftn, // llvm.arm.neon.vrshiftn
arm_neon_vrshifts, // llvm.arm.neon.vrshifts
arm_neon_vrshiftu, // llvm.arm.neon.vrshiftu
arm_neon_vrsqrte, // llvm.arm.neon.vrsqrte
arm_neon_vrsqrts, // llvm.arm.neon.vrsqrts
arm_neon_vrsubhn, // llvm.arm.neon.vrsubhn
arm_neon_vshiftins, // llvm.arm.neon.vshiftins
arm_neon_vshifts, // llvm.arm.neon.vshifts
arm_neon_vshiftu, // llvm.arm.neon.vshiftu
arm_neon_vst1, // llvm.arm.neon.vst1
arm_neon_vst1x2, // llvm.arm.neon.vst1x2
arm_neon_vst1x3, // llvm.arm.neon.vst1x3
arm_neon_vst1x4, // llvm.arm.neon.vst1x4
arm_neon_vst2, // llvm.arm.neon.vst2
arm_neon_vst2lane, // llvm.arm.neon.vst2lane
arm_neon_vst3, // llvm.arm.neon.vst3
arm_neon_vst3lane, // llvm.arm.neon.vst3lane
arm_neon_vst4, // llvm.arm.neon.vst4
arm_neon_vst4lane, // llvm.arm.neon.vst4lane
arm_neon_vtbl1, // llvm.arm.neon.vtbl1
arm_neon_vtbl2, // llvm.arm.neon.vtbl2
arm_neon_vtbl3, // llvm.arm.neon.vtbl3
arm_neon_vtbl4, // llvm.arm.neon.vtbl4
arm_neon_vtbx1, // llvm.arm.neon.vtbx1
arm_neon_vtbx2, // llvm.arm.neon.vtbx2
arm_neon_vtbx3, // llvm.arm.neon.vtbx3
arm_neon_vtbx4, // llvm.arm.neon.vtbx4
arm_qadd, // llvm.arm.qadd
arm_qadd16, // llvm.arm.qadd16
arm_qadd8, // llvm.arm.qadd8
arm_qasx, // llvm.arm.qasx
arm_qsax, // llvm.arm.qsax
arm_qsub, // llvm.arm.qsub
arm_qsub16, // llvm.arm.qsub16
arm_qsub8, // llvm.arm.qsub8
arm_sadd16, // llvm.arm.sadd16
arm_sadd8, // llvm.arm.sadd8
arm_sasx, // llvm.arm.sasx
arm_sel, // llvm.arm.sel
arm_set_fpscr, // llvm.arm.set.fpscr
arm_shadd16, // llvm.arm.shadd16
arm_shadd8, // llvm.arm.shadd8
arm_shasx, // llvm.arm.shasx
arm_shsax, // llvm.arm.shsax
arm_shsub16, // llvm.arm.shsub16
arm_shsub8, // llvm.arm.shsub8
arm_smlabb, // llvm.arm.smlabb
arm_smlabt, // llvm.arm.smlabt
arm_smlad, // llvm.arm.smlad
arm_smladx, // llvm.arm.smladx
arm_smlald, // llvm.arm.smlald
arm_smlaldx, // llvm.arm.smlaldx
arm_smlatb, // llvm.arm.smlatb
arm_smlatt, // llvm.arm.smlatt
arm_smlawb, // llvm.arm.smlawb
arm_smlawt, // llvm.arm.smlawt
arm_smlsd, // llvm.arm.smlsd
arm_smlsdx, // llvm.arm.smlsdx
arm_smlsld, // llvm.arm.smlsld
arm_smlsldx, // llvm.arm.smlsldx
arm_smuad, // llvm.arm.smuad
arm_smuadx, // llvm.arm.smuadx
arm_smulbb, // llvm.arm.smulbb
arm_smulbt, // llvm.arm.smulbt
arm_smultb, // llvm.arm.smultb
arm_smultt, // llvm.arm.smultt
arm_smulwb, // llvm.arm.smulwb
arm_smulwt, // llvm.arm.smulwt
arm_smusd, // llvm.arm.smusd
arm_smusdx, // llvm.arm.smusdx
arm_space, // llvm.arm.space
arm_ssat, // llvm.arm.ssat
arm_ssat16, // llvm.arm.ssat16
arm_ssax, // llvm.arm.ssax
arm_ssub16, // llvm.arm.ssub16
arm_ssub8, // llvm.arm.ssub8
arm_stc, // llvm.arm.stc
arm_stc2, // llvm.arm.stc2
arm_stc2l, // llvm.arm.stc2l
arm_stcl, // llvm.arm.stcl
arm_stlex, // llvm.arm.stlex
arm_stlexd, // llvm.arm.stlexd
arm_strex, // llvm.arm.strex
arm_strexd, // llvm.arm.strexd
arm_sxtab16, // llvm.arm.sxtab16
arm_sxtb16, // llvm.arm.sxtb16
arm_uadd16, // llvm.arm.uadd16
arm_uadd8, // llvm.arm.uadd8
arm_uasx, // llvm.arm.uasx
arm_uhadd16, // llvm.arm.uhadd16
arm_uhadd8, // llvm.arm.uhadd8
arm_uhasx, // llvm.arm.uhasx
arm_uhsax, // llvm.arm.uhsax
arm_uhsub16, // llvm.arm.uhsub16
arm_uhsub8, // llvm.arm.uhsub8
arm_undefined, // llvm.arm.undefined
arm_uqadd16, // llvm.arm.uqadd16
arm_uqadd8, // llvm.arm.uqadd8
arm_uqasx, // llvm.arm.uqasx
arm_uqsax, // llvm.arm.uqsax
arm_uqsub16, // llvm.arm.uqsub16
arm_uqsub8, // llvm.arm.uqsub8
arm_usad8, // llvm.arm.usad8
arm_usada8, // llvm.arm.usada8
arm_usat, // llvm.arm.usat
arm_usat16, // llvm.arm.usat16
arm_usax, // llvm.arm.usax
arm_usub16, // llvm.arm.usub16
arm_usub8, // llvm.arm.usub8
arm_uxtab16, // llvm.arm.uxtab16
arm_uxtb16, // llvm.arm.uxtb16
arm_vcvtr, // llvm.arm.vcvtr
arm_vcvtru, // llvm.arm.vcvtru
bpf_load_byte, // llvm.bpf.load.byte
bpf_load_half, // llvm.bpf.load.half
bpf_load_word, // llvm.bpf.load.word
bpf_pseudo, // llvm.bpf.pseudo
hexagon_A2_abs, // llvm.hexagon.A2.abs
hexagon_A2_absp, // llvm.hexagon.A2.absp
hexagon_A2_abssat, // llvm.hexagon.A2.abssat
hexagon_A2_add, // llvm.hexagon.A2.add
hexagon_A2_addh_h16_hh, // llvm.hexagon.A2.addh.h16.hh
hexagon_A2_addh_h16_hl, // llvm.hexagon.A2.addh.h16.hl
hexagon_A2_addh_h16_lh, // llvm.hexagon.A2.addh.h16.lh
hexagon_A2_addh_h16_ll, // llvm.hexagon.A2.addh.h16.ll
hexagon_A2_addh_h16_sat_hh, // llvm.hexagon.A2.addh.h16.sat.hh
hexagon_A2_addh_h16_sat_hl, // llvm.hexagon.A2.addh.h16.sat.hl
hexagon_A2_addh_h16_sat_lh, // llvm.hexagon.A2.addh.h16.sat.lh
hexagon_A2_addh_h16_sat_ll, // llvm.hexagon.A2.addh.h16.sat.ll
hexagon_A2_addh_l16_hl, // llvm.hexagon.A2.addh.l16.hl
hexagon_A2_addh_l16_ll, // llvm.hexagon.A2.addh.l16.ll
hexagon_A2_addh_l16_sat_hl, // llvm.hexagon.A2.addh.l16.sat.hl
hexagon_A2_addh_l16_sat_ll, // llvm.hexagon.A2.addh.l16.sat.ll
hexagon_A2_addi, // llvm.hexagon.A2.addi
hexagon_A2_addp, // llvm.hexagon.A2.addp
hexagon_A2_addpsat, // llvm.hexagon.A2.addpsat
hexagon_A2_addsat, // llvm.hexagon.A2.addsat
hexagon_A2_addsp, // llvm.hexagon.A2.addsp
hexagon_A2_and, // llvm.hexagon.A2.and
hexagon_A2_andir, // llvm.hexagon.A2.andir
hexagon_A2_andp, // llvm.hexagon.A2.andp
hexagon_A2_aslh, // llvm.hexagon.A2.aslh
hexagon_A2_asrh, // llvm.hexagon.A2.asrh
hexagon_A2_combine_hh, // llvm.hexagon.A2.combine.hh
hexagon_A2_combine_hl, // llvm.hexagon.A2.combine.hl
hexagon_A2_combine_lh, // llvm.hexagon.A2.combine.lh
hexagon_A2_combine_ll, // llvm.hexagon.A2.combine.ll
hexagon_A2_combineii, // llvm.hexagon.A2.combineii
hexagon_A2_combinew, // llvm.hexagon.A2.combinew
hexagon_A2_max, // llvm.hexagon.A2.max
hexagon_A2_maxp, // llvm.hexagon.A2.maxp
hexagon_A2_maxu, // llvm.hexagon.A2.maxu
hexagon_A2_maxup, // llvm.hexagon.A2.maxup
hexagon_A2_min, // llvm.hexagon.A2.min
hexagon_A2_minp, // llvm.hexagon.A2.minp
hexagon_A2_minu, // llvm.hexagon.A2.minu
hexagon_A2_minup, // llvm.hexagon.A2.minup
hexagon_A2_neg, // llvm.hexagon.A2.neg
hexagon_A2_negp, // llvm.hexagon.A2.negp
hexagon_A2_negsat, // llvm.hexagon.A2.negsat
hexagon_A2_not, // llvm.hexagon.A2.not
hexagon_A2_notp, // llvm.hexagon.A2.notp
hexagon_A2_or, // llvm.hexagon.A2.or
hexagon_A2_orir, // llvm.hexagon.A2.orir
hexagon_A2_orp, // llvm.hexagon.A2.orp
hexagon_A2_pxorf, // llvm.hexagon.A2.pxorf
hexagon_A2_roundsat, // llvm.hexagon.A2.roundsat
hexagon_A2_sat, // llvm.hexagon.A2.sat
hexagon_A2_satb, // llvm.hexagon.A2.satb
hexagon_A2_sath, // llvm.hexagon.A2.sath
hexagon_A2_satub, // llvm.hexagon.A2.satub
hexagon_A2_satuh, // llvm.hexagon.A2.satuh
hexagon_A2_sub, // llvm.hexagon.A2.sub
hexagon_A2_subh_h16_hh, // llvm.hexagon.A2.subh.h16.hh
hexagon_A2_subh_h16_hl, // llvm.hexagon.A2.subh.h16.hl
hexagon_A2_subh_h16_lh, // llvm.hexagon.A2.subh.h16.lh
hexagon_A2_subh_h16_ll, // llvm.hexagon.A2.subh.h16.ll
hexagon_A2_subh_h16_sat_hh, // llvm.hexagon.A2.subh.h16.sat.hh
hexagon_A2_subh_h16_sat_hl, // llvm.hexagon.A2.subh.h16.sat.hl
hexagon_A2_subh_h16_sat_lh, // llvm.hexagon.A2.subh.h16.sat.lh
hexagon_A2_subh_h16_sat_ll, // llvm.hexagon.A2.subh.h16.sat.ll
hexagon_A2_subh_l16_hl, // llvm.hexagon.A2.subh.l16.hl
hexagon_A2_subh_l16_ll, // llvm.hexagon.A2.subh.l16.ll
hexagon_A2_subh_l16_sat_hl, // llvm.hexagon.A2.subh.l16.sat.hl
hexagon_A2_subh_l16_sat_ll, // llvm.hexagon.A2.subh.l16.sat.ll
hexagon_A2_subp, // llvm.hexagon.A2.subp
hexagon_A2_subri, // llvm.hexagon.A2.subri
hexagon_A2_subsat, // llvm.hexagon.A2.subsat
hexagon_A2_svaddh, // llvm.hexagon.A2.svaddh
hexagon_A2_svaddhs, // llvm.hexagon.A2.svaddhs
hexagon_A2_svadduhs, // llvm.hexagon.A2.svadduhs
hexagon_A2_svavgh, // llvm.hexagon.A2.svavgh
hexagon_A2_svavghs, // llvm.hexagon.A2.svavghs
hexagon_A2_svnavgh, // llvm.hexagon.A2.svnavgh
hexagon_A2_svsubh, // llvm.hexagon.A2.svsubh
hexagon_A2_svsubhs, // llvm.hexagon.A2.svsubhs
hexagon_A2_svsubuhs, // llvm.hexagon.A2.svsubuhs
hexagon_A2_swiz, // llvm.hexagon.A2.swiz
hexagon_A2_sxtb, // llvm.hexagon.A2.sxtb
hexagon_A2_sxth, // llvm.hexagon.A2.sxth
hexagon_A2_sxtw, // llvm.hexagon.A2.sxtw
hexagon_A2_tfr, // llvm.hexagon.A2.tfr
hexagon_A2_tfrcrr, // llvm.hexagon.A2.tfrcrr
hexagon_A2_tfrih, // llvm.hexagon.A2.tfrih
hexagon_A2_tfril, // llvm.hexagon.A2.tfril
hexagon_A2_tfrp, // llvm.hexagon.A2.tfrp
hexagon_A2_tfrpi, // llvm.hexagon.A2.tfrpi
hexagon_A2_tfrrcr, // llvm.hexagon.A2.tfrrcr
hexagon_A2_tfrsi, // llvm.hexagon.A2.tfrsi
hexagon_A2_vabsh, // llvm.hexagon.A2.vabsh
hexagon_A2_vabshsat, // llvm.hexagon.A2.vabshsat
hexagon_A2_vabsw, // llvm.hexagon.A2.vabsw
hexagon_A2_vabswsat, // llvm.hexagon.A2.vabswsat
hexagon_A2_vaddb_map, // llvm.hexagon.A2.vaddb.map
hexagon_A2_vaddh, // llvm.hexagon.A2.vaddh
hexagon_A2_vaddhs, // llvm.hexagon.A2.vaddhs
hexagon_A2_vaddub, // llvm.hexagon.A2.vaddub
hexagon_A2_vaddubs, // llvm.hexagon.A2.vaddubs
hexagon_A2_vadduhs, // llvm.hexagon.A2.vadduhs
hexagon_A2_vaddw, // llvm.hexagon.A2.vaddw
hexagon_A2_vaddws, // llvm.hexagon.A2.vaddws
hexagon_A2_vavgh, // llvm.hexagon.A2.vavgh
hexagon_A2_vavghcr, // llvm.hexagon.A2.vavghcr
hexagon_A2_vavghr, // llvm.hexagon.A2.vavghr
hexagon_A2_vavgub, // llvm.hexagon.A2.vavgub
hexagon_A2_vavgubr, // llvm.hexagon.A2.vavgubr
hexagon_A2_vavguh, // llvm.hexagon.A2.vavguh
hexagon_A2_vavguhr, // llvm.hexagon.A2.vavguhr
hexagon_A2_vavguw, // llvm.hexagon.A2.vavguw
hexagon_A2_vavguwr, // llvm.hexagon.A2.vavguwr
hexagon_A2_vavgw, // llvm.hexagon.A2.vavgw
hexagon_A2_vavgwcr, // llvm.hexagon.A2.vavgwcr
hexagon_A2_vavgwr, // llvm.hexagon.A2.vavgwr
hexagon_A2_vcmpbeq, // llvm.hexagon.A2.vcmpbeq
hexagon_A2_vcmpbgtu, // llvm.hexagon.A2.vcmpbgtu
hexagon_A2_vcmpheq, // llvm.hexagon.A2.vcmpheq
hexagon_A2_vcmphgt, // llvm.hexagon.A2.vcmphgt
hexagon_A2_vcmphgtu, // llvm.hexagon.A2.vcmphgtu
hexagon_A2_vcmpweq, // llvm.hexagon.A2.vcmpweq
hexagon_A2_vcmpwgt, // llvm.hexagon.A2.vcmpwgt
hexagon_A2_vcmpwgtu, // llvm.hexagon.A2.vcmpwgtu
hexagon_A2_vconj, // llvm.hexagon.A2.vconj
hexagon_A2_vmaxb, // llvm.hexagon.A2.vmaxb
hexagon_A2_vmaxh, // llvm.hexagon.A2.vmaxh
hexagon_A2_vmaxub, // llvm.hexagon.A2.vmaxub
hexagon_A2_vmaxuh, // llvm.hexagon.A2.vmaxuh
hexagon_A2_vmaxuw, // llvm.hexagon.A2.vmaxuw
hexagon_A2_vmaxw, // llvm.hexagon.A2.vmaxw
hexagon_A2_vminb, // llvm.hexagon.A2.vminb
hexagon_A2_vminh, // llvm.hexagon.A2.vminh
hexagon_A2_vminub, // llvm.hexagon.A2.vminub
hexagon_A2_vminuh, // llvm.hexagon.A2.vminuh
hexagon_A2_vminuw, // llvm.hexagon.A2.vminuw
hexagon_A2_vminw, // llvm.hexagon.A2.vminw
hexagon_A2_vnavgh, // llvm.hexagon.A2.vnavgh
hexagon_A2_vnavghcr, // llvm.hexagon.A2.vnavghcr
hexagon_A2_vnavghr, // llvm.hexagon.A2.vnavghr
hexagon_A2_vnavgw, // llvm.hexagon.A2.vnavgw
hexagon_A2_vnavgwcr, // llvm.hexagon.A2.vnavgwcr
hexagon_A2_vnavgwr, // llvm.hexagon.A2.vnavgwr
hexagon_A2_vraddub, // llvm.hexagon.A2.vraddub
hexagon_A2_vraddub_acc, // llvm.hexagon.A2.vraddub.acc
hexagon_A2_vrsadub, // llvm.hexagon.A2.vrsadub
hexagon_A2_vrsadub_acc, // llvm.hexagon.A2.vrsadub.acc
hexagon_A2_vsubb_map, // llvm.hexagon.A2.vsubb.map
hexagon_A2_vsubh, // llvm.hexagon.A2.vsubh
hexagon_A2_vsubhs, // llvm.hexagon.A2.vsubhs
hexagon_A2_vsubub, // llvm.hexagon.A2.vsubub
hexagon_A2_vsububs, // llvm.hexagon.A2.vsububs
hexagon_A2_vsubuhs, // llvm.hexagon.A2.vsubuhs
hexagon_A2_vsubw, // llvm.hexagon.A2.vsubw
hexagon_A2_vsubws, // llvm.hexagon.A2.vsubws
hexagon_A2_xor, // llvm.hexagon.A2.xor
hexagon_A2_xorp, // llvm.hexagon.A2.xorp
hexagon_A2_zxtb, // llvm.hexagon.A2.zxtb
hexagon_A2_zxth, // llvm.hexagon.A2.zxth
hexagon_A4_addp_c, // llvm.hexagon.A4.addp.c
hexagon_A4_andn, // llvm.hexagon.A4.andn
hexagon_A4_andnp, // llvm.hexagon.A4.andnp
hexagon_A4_bitsplit, // llvm.hexagon.A4.bitsplit
hexagon_A4_bitspliti, // llvm.hexagon.A4.bitspliti
hexagon_A4_boundscheck, // llvm.hexagon.A4.boundscheck
hexagon_A4_cmpbeq, // llvm.hexagon.A4.cmpbeq
hexagon_A4_cmpbeqi, // llvm.hexagon.A4.cmpbeqi
hexagon_A4_cmpbgt, // llvm.hexagon.A4.cmpbgt
hexagon_A4_cmpbgti, // llvm.hexagon.A4.cmpbgti
hexagon_A4_cmpbgtu, // llvm.hexagon.A4.cmpbgtu
hexagon_A4_cmpbgtui, // llvm.hexagon.A4.cmpbgtui
hexagon_A4_cmpheq, // llvm.hexagon.A4.cmpheq
hexagon_A4_cmpheqi, // llvm.hexagon.A4.cmpheqi
hexagon_A4_cmphgt, // llvm.hexagon.A4.cmphgt
hexagon_A4_cmphgti, // llvm.hexagon.A4.cmphgti
hexagon_A4_cmphgtu, // llvm.hexagon.A4.cmphgtu
hexagon_A4_cmphgtui, // llvm.hexagon.A4.cmphgtui
hexagon_A4_combineii, // llvm.hexagon.A4.combineii
hexagon_A4_combineir, // llvm.hexagon.A4.combineir
hexagon_A4_combineri, // llvm.hexagon.A4.combineri
hexagon_A4_cround_ri, // llvm.hexagon.A4.cround.ri
hexagon_A4_cround_rr, // llvm.hexagon.A4.cround.rr
hexagon_A4_modwrapu, // llvm.hexagon.A4.modwrapu
hexagon_A4_orn, // llvm.hexagon.A4.orn
hexagon_A4_ornp, // llvm.hexagon.A4.ornp
hexagon_A4_rcmpeq, // llvm.hexagon.A4.rcmpeq
hexagon_A4_rcmpeqi, // llvm.hexagon.A4.rcmpeqi
hexagon_A4_rcmpneq, // llvm.hexagon.A4.rcmpneq
hexagon_A4_rcmpneqi, // llvm.hexagon.A4.rcmpneqi
hexagon_A4_round_ri, // llvm.hexagon.A4.round.ri
hexagon_A4_round_ri_sat, // llvm.hexagon.A4.round.ri.sat
hexagon_A4_round_rr, // llvm.hexagon.A4.round.rr
hexagon_A4_round_rr_sat, // llvm.hexagon.A4.round.rr.sat
hexagon_A4_subp_c, // llvm.hexagon.A4.subp.c
hexagon_A4_tfrcpp, // llvm.hexagon.A4.tfrcpp
hexagon_A4_tfrpcp, // llvm.hexagon.A4.tfrpcp
hexagon_A4_tlbmatch, // llvm.hexagon.A4.tlbmatch
hexagon_A4_vcmpbeq_any, // llvm.hexagon.A4.vcmpbeq.any
hexagon_A4_vcmpbeqi, // llvm.hexagon.A4.vcmpbeqi
hexagon_A4_vcmpbgt, // llvm.hexagon.A4.vcmpbgt
hexagon_A4_vcmpbgti, // llvm.hexagon.A4.vcmpbgti
hexagon_A4_vcmpbgtui, // llvm.hexagon.A4.vcmpbgtui
hexagon_A4_vcmpheqi, // llvm.hexagon.A4.vcmpheqi
hexagon_A4_vcmphgti, // llvm.hexagon.A4.vcmphgti
hexagon_A4_vcmphgtui, // llvm.hexagon.A4.vcmphgtui
hexagon_A4_vcmpweqi, // llvm.hexagon.A4.vcmpweqi
hexagon_A4_vcmpwgti, // llvm.hexagon.A4.vcmpwgti
hexagon_A4_vcmpwgtui, // llvm.hexagon.A4.vcmpwgtui
hexagon_A4_vrmaxh, // llvm.hexagon.A4.vrmaxh
hexagon_A4_vrmaxuh, // llvm.hexagon.A4.vrmaxuh
hexagon_A4_vrmaxuw, // llvm.hexagon.A4.vrmaxuw
hexagon_A4_vrmaxw, // llvm.hexagon.A4.vrmaxw
hexagon_A4_vrminh, // llvm.hexagon.A4.vrminh
hexagon_A4_vrminuh, // llvm.hexagon.A4.vrminuh
hexagon_A4_vrminuw, // llvm.hexagon.A4.vrminuw
hexagon_A4_vrminw, // llvm.hexagon.A4.vrminw
hexagon_A5_ACS, // llvm.hexagon.A5.ACS
hexagon_A5_vaddhubs, // llvm.hexagon.A5.vaddhubs
hexagon_A6_vcmpbeq_notany, // llvm.hexagon.A6.vcmpbeq.notany
hexagon_A6_vminub_RdP, // llvm.hexagon.A6.vminub.RdP
hexagon_C2_all8, // llvm.hexagon.C2.all8
hexagon_C2_and, // llvm.hexagon.C2.and
hexagon_C2_andn, // llvm.hexagon.C2.andn
hexagon_C2_any8, // llvm.hexagon.C2.any8
hexagon_C2_bitsclr, // llvm.hexagon.C2.bitsclr
hexagon_C2_bitsclri, // llvm.hexagon.C2.bitsclri
hexagon_C2_bitsset, // llvm.hexagon.C2.bitsset
hexagon_C2_cmpeq, // llvm.hexagon.C2.cmpeq
hexagon_C2_cmpeqi, // llvm.hexagon.C2.cmpeqi
hexagon_C2_cmpeqp, // llvm.hexagon.C2.cmpeqp
hexagon_C2_cmpgei, // llvm.hexagon.C2.cmpgei
hexagon_C2_cmpgeui, // llvm.hexagon.C2.cmpgeui
hexagon_C2_cmpgt, // llvm.hexagon.C2.cmpgt
hexagon_C2_cmpgti, // llvm.hexagon.C2.cmpgti
hexagon_C2_cmpgtp, // llvm.hexagon.C2.cmpgtp
hexagon_C2_cmpgtu, // llvm.hexagon.C2.cmpgtu
hexagon_C2_cmpgtui, // llvm.hexagon.C2.cmpgtui
hexagon_C2_cmpgtup, // llvm.hexagon.C2.cmpgtup
hexagon_C2_cmplt, // llvm.hexagon.C2.cmplt
hexagon_C2_cmpltu, // llvm.hexagon.C2.cmpltu
hexagon_C2_mask, // llvm.hexagon.C2.mask
hexagon_C2_mux, // llvm.hexagon.C2.mux
hexagon_C2_muxii, // llvm.hexagon.C2.muxii
hexagon_C2_muxir, // llvm.hexagon.C2.muxir
hexagon_C2_muxri, // llvm.hexagon.C2.muxri
hexagon_C2_not, // llvm.hexagon.C2.not
hexagon_C2_or, // llvm.hexagon.C2.or
hexagon_C2_orn, // llvm.hexagon.C2.orn
hexagon_C2_pxfer_map, // llvm.hexagon.C2.pxfer.map
hexagon_C2_tfrpr, // llvm.hexagon.C2.tfrpr
hexagon_C2_tfrrp, // llvm.hexagon.C2.tfrrp
hexagon_C2_vitpack, // llvm.hexagon.C2.vitpack
hexagon_C2_vmux, // llvm.hexagon.C2.vmux
hexagon_C2_xor, // llvm.hexagon.C2.xor
hexagon_C4_and_and, // llvm.hexagon.C4.and.and
hexagon_C4_and_andn, // llvm.hexagon.C4.and.andn
hexagon_C4_and_or, // llvm.hexagon.C4.and.or
hexagon_C4_and_orn, // llvm.hexagon.C4.and.orn
hexagon_C4_cmplte, // llvm.hexagon.C4.cmplte
hexagon_C4_cmpltei, // llvm.hexagon.C4.cmpltei
hexagon_C4_cmplteu, // llvm.hexagon.C4.cmplteu
hexagon_C4_cmplteui, // llvm.hexagon.C4.cmplteui
hexagon_C4_cmpneq, // llvm.hexagon.C4.cmpneq
hexagon_C4_cmpneqi, // llvm.hexagon.C4.cmpneqi
hexagon_C4_fastcorner9, // llvm.hexagon.C4.fastcorner9
hexagon_C4_fastcorner9_not, // llvm.hexagon.C4.fastcorner9.not
hexagon_C4_nbitsclr, // llvm.hexagon.C4.nbitsclr
hexagon_C4_nbitsclri, // llvm.hexagon.C4.nbitsclri
hexagon_C4_nbitsset, // llvm.hexagon.C4.nbitsset
hexagon_C4_or_and, // llvm.hexagon.C4.or.and
hexagon_C4_or_andn, // llvm.hexagon.C4.or.andn
hexagon_C4_or_or, // llvm.hexagon.C4.or.or
hexagon_C4_or_orn, // llvm.hexagon.C4.or.orn
hexagon_F2_conv_d2df, // llvm.hexagon.F2.conv.d2df
hexagon_F2_conv_d2sf, // llvm.hexagon.F2.conv.d2sf
hexagon_F2_conv_df2d, // llvm.hexagon.F2.conv.df2d
hexagon_F2_conv_df2d_chop, // llvm.hexagon.F2.conv.df2d.chop
hexagon_F2_conv_df2sf, // llvm.hexagon.F2.conv.df2sf
hexagon_F2_conv_df2ud, // llvm.hexagon.F2.conv.df2ud
hexagon_F2_conv_df2ud_chop, // llvm.hexagon.F2.conv.df2ud.chop
hexagon_F2_conv_df2uw, // llvm.hexagon.F2.conv.df2uw
hexagon_F2_conv_df2uw_chop, // llvm.hexagon.F2.conv.df2uw.chop
hexagon_F2_conv_df2w, // llvm.hexagon.F2.conv.df2w
hexagon_F2_conv_df2w_chop, // llvm.hexagon.F2.conv.df2w.chop
hexagon_F2_conv_sf2d, // llvm.hexagon.F2.conv.sf2d
hexagon_F2_conv_sf2d_chop, // llvm.hexagon.F2.conv.sf2d.chop
hexagon_F2_conv_sf2df, // llvm.hexagon.F2.conv.sf2df
hexagon_F2_conv_sf2ud, // llvm.hexagon.F2.conv.sf2ud
hexagon_F2_conv_sf2ud_chop, // llvm.hexagon.F2.conv.sf2ud.chop
hexagon_F2_conv_sf2uw, // llvm.hexagon.F2.conv.sf2uw
hexagon_F2_conv_sf2uw_chop, // llvm.hexagon.F2.conv.sf2uw.chop
hexagon_F2_conv_sf2w, // llvm.hexagon.F2.conv.sf2w
hexagon_F2_conv_sf2w_chop, // llvm.hexagon.F2.conv.sf2w.chop
hexagon_F2_conv_ud2df, // llvm.hexagon.F2.conv.ud2df
hexagon_F2_conv_ud2sf, // llvm.hexagon.F2.conv.ud2sf
hexagon_F2_conv_uw2df, // llvm.hexagon.F2.conv.uw2df
hexagon_F2_conv_uw2sf, // llvm.hexagon.F2.conv.uw2sf
hexagon_F2_conv_w2df, // llvm.hexagon.F2.conv.w2df
hexagon_F2_conv_w2sf, // llvm.hexagon.F2.conv.w2sf
hexagon_F2_dfadd, // llvm.hexagon.F2.dfadd
hexagon_F2_dfclass, // llvm.hexagon.F2.dfclass
hexagon_F2_dfcmpeq, // llvm.hexagon.F2.dfcmpeq
hexagon_F2_dfcmpge, // llvm.hexagon.F2.dfcmpge
hexagon_F2_dfcmpgt, // llvm.hexagon.F2.dfcmpgt
hexagon_F2_dfcmpuo, // llvm.hexagon.F2.dfcmpuo
hexagon_F2_dfimm_n, // llvm.hexagon.F2.dfimm.n
hexagon_F2_dfimm_p, // llvm.hexagon.F2.dfimm.p
hexagon_F2_dfsub, // llvm.hexagon.F2.dfsub
hexagon_F2_sfadd, // llvm.hexagon.F2.sfadd
hexagon_F2_sfclass, // llvm.hexagon.F2.sfclass
hexagon_F2_sfcmpeq, // llvm.hexagon.F2.sfcmpeq
hexagon_F2_sfcmpge, // llvm.hexagon.F2.sfcmpge
hexagon_F2_sfcmpgt, // llvm.hexagon.F2.sfcmpgt
hexagon_F2_sfcmpuo, // llvm.hexagon.F2.sfcmpuo
hexagon_F2_sffixupd, // llvm.hexagon.F2.sffixupd
hexagon_F2_sffixupn, // llvm.hexagon.F2.sffixupn
hexagon_F2_sffixupr, // llvm.hexagon.F2.sffixupr
hexagon_F2_sffma, // llvm.hexagon.F2.sffma
hexagon_F2_sffma_lib, // llvm.hexagon.F2.sffma.lib
hexagon_F2_sffma_sc, // llvm.hexagon.F2.sffma.sc
hexagon_F2_sffms, // llvm.hexagon.F2.sffms
hexagon_F2_sffms_lib, // llvm.hexagon.F2.sffms.lib
hexagon_F2_sfimm_n, // llvm.hexagon.F2.sfimm.n
hexagon_F2_sfimm_p, // llvm.hexagon.F2.sfimm.p
hexagon_F2_sfinvsqrta, // llvm.hexagon.F2.sfinvsqrta
hexagon_F2_sfmax, // llvm.hexagon.F2.sfmax
hexagon_F2_sfmin, // llvm.hexagon.F2.sfmin
hexagon_F2_sfmpy, // llvm.hexagon.F2.sfmpy
hexagon_F2_sfrecipa, // llvm.hexagon.F2.sfrecipa
hexagon_F2_sfsub, // llvm.hexagon.F2.sfsub
hexagon_L2_loadrb_pbr, // llvm.hexagon.L2.loadrb.pbr
hexagon_L2_loadrb_pci, // llvm.hexagon.L2.loadrb.pci
hexagon_L2_loadrb_pcr, // llvm.hexagon.L2.loadrb.pcr
hexagon_L2_loadrd_pbr, // llvm.hexagon.L2.loadrd.pbr
hexagon_L2_loadrd_pci, // llvm.hexagon.L2.loadrd.pci
hexagon_L2_loadrd_pcr, // llvm.hexagon.L2.loadrd.pcr
hexagon_L2_loadrh_pbr, // llvm.hexagon.L2.loadrh.pbr
hexagon_L2_loadrh_pci, // llvm.hexagon.L2.loadrh.pci
hexagon_L2_loadrh_pcr, // llvm.hexagon.L2.loadrh.pcr
hexagon_L2_loadri_pbr, // llvm.hexagon.L2.loadri.pbr
hexagon_L2_loadri_pci, // llvm.hexagon.L2.loadri.pci
hexagon_L2_loadri_pcr, // llvm.hexagon.L2.loadri.pcr
hexagon_L2_loadrub_pbr, // llvm.hexagon.L2.loadrub.pbr
hexagon_L2_loadrub_pci, // llvm.hexagon.L2.loadrub.pci
hexagon_L2_loadrub_pcr, // llvm.hexagon.L2.loadrub.pcr
hexagon_L2_loadruh_pbr, // llvm.hexagon.L2.loadruh.pbr
hexagon_L2_loadruh_pci, // llvm.hexagon.L2.loadruh.pci
hexagon_L2_loadruh_pcr, // llvm.hexagon.L2.loadruh.pcr
hexagon_L2_loadw_locked, // llvm.hexagon.L2.loadw.locked
hexagon_L4_loadd_locked, // llvm.hexagon.L4.loadd.locked
hexagon_M2_acci, // llvm.hexagon.M2.acci
hexagon_M2_accii, // llvm.hexagon.M2.accii
hexagon_M2_cmaci_s0, // llvm.hexagon.M2.cmaci.s0
hexagon_M2_cmacr_s0, // llvm.hexagon.M2.cmacr.s0
hexagon_M2_cmacs_s0, // llvm.hexagon.M2.cmacs.s0
hexagon_M2_cmacs_s1, // llvm.hexagon.M2.cmacs.s1
hexagon_M2_cmacsc_s0, // llvm.hexagon.M2.cmacsc.s0
hexagon_M2_cmacsc_s1, // llvm.hexagon.M2.cmacsc.s1
hexagon_M2_cmpyi_s0, // llvm.hexagon.M2.cmpyi.s0
hexagon_M2_cmpyr_s0, // llvm.hexagon.M2.cmpyr.s0
hexagon_M2_cmpyrs_s0, // llvm.hexagon.M2.cmpyrs.s0
hexagon_M2_cmpyrs_s1, // llvm.hexagon.M2.cmpyrs.s1
hexagon_M2_cmpyrsc_s0, // llvm.hexagon.M2.cmpyrsc.s0
hexagon_M2_cmpyrsc_s1, // llvm.hexagon.M2.cmpyrsc.s1
hexagon_M2_cmpys_s0, // llvm.hexagon.M2.cmpys.s0
hexagon_M2_cmpys_s1, // llvm.hexagon.M2.cmpys.s1
hexagon_M2_cmpysc_s0, // llvm.hexagon.M2.cmpysc.s0
hexagon_M2_cmpysc_s1, // llvm.hexagon.M2.cmpysc.s1
hexagon_M2_cnacs_s0, // llvm.hexagon.M2.cnacs.s0
hexagon_M2_cnacs_s1, // llvm.hexagon.M2.cnacs.s1
hexagon_M2_cnacsc_s0, // llvm.hexagon.M2.cnacsc.s0
hexagon_M2_cnacsc_s1, // llvm.hexagon.M2.cnacsc.s1
hexagon_M2_dpmpyss_acc_s0, // llvm.hexagon.M2.dpmpyss.acc.s0
hexagon_M2_dpmpyss_nac_s0, // llvm.hexagon.M2.dpmpyss.nac.s0
hexagon_M2_dpmpyss_rnd_s0, // llvm.hexagon.M2.dpmpyss.rnd.s0
hexagon_M2_dpmpyss_s0, // llvm.hexagon.M2.dpmpyss.s0
hexagon_M2_dpmpyuu_acc_s0, // llvm.hexagon.M2.dpmpyuu.acc.s0
hexagon_M2_dpmpyuu_nac_s0, // llvm.hexagon.M2.dpmpyuu.nac.s0
hexagon_M2_dpmpyuu_s0, // llvm.hexagon.M2.dpmpyuu.s0
hexagon_M2_hmmpyh_rs1, // llvm.hexagon.M2.hmmpyh.rs1
hexagon_M2_hmmpyh_s1, // llvm.hexagon.M2.hmmpyh.s1
hexagon_M2_hmmpyl_rs1, // llvm.hexagon.M2.hmmpyl.rs1
hexagon_M2_hmmpyl_s1, // llvm.hexagon.M2.hmmpyl.s1
hexagon_M2_maci, // llvm.hexagon.M2.maci
hexagon_M2_macsin, // llvm.hexagon.M2.macsin
hexagon_M2_macsip, // llvm.hexagon.M2.macsip
hexagon_M2_mmachs_rs0, // llvm.hexagon.M2.mmachs.rs0
hexagon_M2_mmachs_rs1, // llvm.hexagon.M2.mmachs.rs1
hexagon_M2_mmachs_s0, // llvm.hexagon.M2.mmachs.s0
hexagon_M2_mmachs_s1, // llvm.hexagon.M2.mmachs.s1
hexagon_M2_mmacls_rs0, // llvm.hexagon.M2.mmacls.rs0
hexagon_M2_mmacls_rs1, // llvm.hexagon.M2.mmacls.rs1
hexagon_M2_mmacls_s0, // llvm.hexagon.M2.mmacls.s0
hexagon_M2_mmacls_s1, // llvm.hexagon.M2.mmacls.s1
hexagon_M2_mmacuhs_rs0, // llvm.hexagon.M2.mmacuhs.rs0
hexagon_M2_mmacuhs_rs1, // llvm.hexagon.M2.mmacuhs.rs1
hexagon_M2_mmacuhs_s0, // llvm.hexagon.M2.mmacuhs.s0
hexagon_M2_mmacuhs_s1, // llvm.hexagon.M2.mmacuhs.s1
hexagon_M2_mmaculs_rs0, // llvm.hexagon.M2.mmaculs.rs0
hexagon_M2_mmaculs_rs1, // llvm.hexagon.M2.mmaculs.rs1
hexagon_M2_mmaculs_s0, // llvm.hexagon.M2.mmaculs.s0
hexagon_M2_mmaculs_s1, // llvm.hexagon.M2.mmaculs.s1
hexagon_M2_mmpyh_rs0, // llvm.hexagon.M2.mmpyh.rs0
hexagon_M2_mmpyh_rs1, // llvm.hexagon.M2.mmpyh.rs1
hexagon_M2_mmpyh_s0, // llvm.hexagon.M2.mmpyh.s0
hexagon_M2_mmpyh_s1, // llvm.hexagon.M2.mmpyh.s1
hexagon_M2_mmpyl_rs0, // llvm.hexagon.M2.mmpyl.rs0
hexagon_M2_mmpyl_rs1, // llvm.hexagon.M2.mmpyl.rs1
hexagon_M2_mmpyl_s0, // llvm.hexagon.M2.mmpyl.s0
hexagon_M2_mmpyl_s1, // llvm.hexagon.M2.mmpyl.s1
hexagon_M2_mmpyuh_rs0, // llvm.hexagon.M2.mmpyuh.rs0
hexagon_M2_mmpyuh_rs1, // llvm.hexagon.M2.mmpyuh.rs1
hexagon_M2_mmpyuh_s0, // llvm.hexagon.M2.mmpyuh.s0
hexagon_M2_mmpyuh_s1, // llvm.hexagon.M2.mmpyuh.s1
hexagon_M2_mmpyul_rs0, // llvm.hexagon.M2.mmpyul.rs0
hexagon_M2_mmpyul_rs1, // llvm.hexagon.M2.mmpyul.rs1
hexagon_M2_mmpyul_s0, // llvm.hexagon.M2.mmpyul.s0
hexagon_M2_mmpyul_s1, // llvm.hexagon.M2.mmpyul.s1
hexagon_M2_mnaci, // llvm.hexagon.M2.mnaci
hexagon_M2_mpy_acc_hh_s0, // llvm.hexagon.M2.mpy.acc.hh.s0
hexagon_M2_mpy_acc_hh_s1, // llvm.hexagon.M2.mpy.acc.hh.s1
hexagon_M2_mpy_acc_hl_s0, // llvm.hexagon.M2.mpy.acc.hl.s0
hexagon_M2_mpy_acc_hl_s1, // llvm.hexagon.M2.mpy.acc.hl.s1
hexagon_M2_mpy_acc_lh_s0, // llvm.hexagon.M2.mpy.acc.lh.s0
hexagon_M2_mpy_acc_lh_s1, // llvm.hexagon.M2.mpy.acc.lh.s1
hexagon_M2_mpy_acc_ll_s0, // llvm.hexagon.M2.mpy.acc.ll.s0
hexagon_M2_mpy_acc_ll_s1, // llvm.hexagon.M2.mpy.acc.ll.s1
hexagon_M2_mpy_acc_sat_hh_s0, // llvm.hexagon.M2.mpy.acc.sat.hh.s0
hexagon_M2_mpy_acc_sat_hh_s1, // llvm.hexagon.M2.mpy.acc.sat.hh.s1
hexagon_M2_mpy_acc_sat_hl_s0, // llvm.hexagon.M2.mpy.acc.sat.hl.s0
hexagon_M2_mpy_acc_sat_hl_s1, // llvm.hexagon.M2.mpy.acc.sat.hl.s1
hexagon_M2_mpy_acc_sat_lh_s0, // llvm.hexagon.M2.mpy.acc.sat.lh.s0
hexagon_M2_mpy_acc_sat_lh_s1, // llvm.hexagon.M2.mpy.acc.sat.lh.s1
hexagon_M2_mpy_acc_sat_ll_s0, // llvm.hexagon.M2.mpy.acc.sat.ll.s0
hexagon_M2_mpy_acc_sat_ll_s1, // llvm.hexagon.M2.mpy.acc.sat.ll.s1
hexagon_M2_mpy_hh_s0, // llvm.hexagon.M2.mpy.hh.s0
hexagon_M2_mpy_hh_s1, // llvm.hexagon.M2.mpy.hh.s1
hexagon_M2_mpy_hl_s0, // llvm.hexagon.M2.mpy.hl.s0
hexagon_M2_mpy_hl_s1, // llvm.hexagon.M2.mpy.hl.s1
hexagon_M2_mpy_lh_s0, // llvm.hexagon.M2.mpy.lh.s0
hexagon_M2_mpy_lh_s1, // llvm.hexagon.M2.mpy.lh.s1
hexagon_M2_mpy_ll_s0, // llvm.hexagon.M2.mpy.ll.s0
hexagon_M2_mpy_ll_s1, // llvm.hexagon.M2.mpy.ll.s1
hexagon_M2_mpy_nac_hh_s0, // llvm.hexagon.M2.mpy.nac.hh.s0
hexagon_M2_mpy_nac_hh_s1, // llvm.hexagon.M2.mpy.nac.hh.s1
hexagon_M2_mpy_nac_hl_s0, // llvm.hexagon.M2.mpy.nac.hl.s0
hexagon_M2_mpy_nac_hl_s1, // llvm.hexagon.M2.mpy.nac.hl.s1
hexagon_M2_mpy_nac_lh_s0, // llvm.hexagon.M2.mpy.nac.lh.s0
hexagon_M2_mpy_nac_lh_s1, // llvm.hexagon.M2.mpy.nac.lh.s1
hexagon_M2_mpy_nac_ll_s0, // llvm.hexagon.M2.mpy.nac.ll.s0
hexagon_M2_mpy_nac_ll_s1, // llvm.hexagon.M2.mpy.nac.ll.s1
hexagon_M2_mpy_nac_sat_hh_s0, // llvm.hexagon.M2.mpy.nac.sat.hh.s0
hexagon_M2_mpy_nac_sat_hh_s1, // llvm.hexagon.M2.mpy.nac.sat.hh.s1
hexagon_M2_mpy_nac_sat_hl_s0, // llvm.hexagon.M2.mpy.nac.sat.hl.s0
hexagon_M2_mpy_nac_sat_hl_s1, // llvm.hexagon.M2.mpy.nac.sat.hl.s1
hexagon_M2_mpy_nac_sat_lh_s0, // llvm.hexagon.M2.mpy.nac.sat.lh.s0
hexagon_M2_mpy_nac_sat_lh_s1, // llvm.hexagon.M2.mpy.nac.sat.lh.s1
hexagon_M2_mpy_nac_sat_ll_s0, // llvm.hexagon.M2.mpy.nac.sat.ll.s0
hexagon_M2_mpy_nac_sat_ll_s1, // llvm.hexagon.M2.mpy.nac.sat.ll.s1
hexagon_M2_mpy_rnd_hh_s0, // llvm.hexagon.M2.mpy.rnd.hh.s0
hexagon_M2_mpy_rnd_hh_s1, // llvm.hexagon.M2.mpy.rnd.hh.s1
hexagon_M2_mpy_rnd_hl_s0, // llvm.hexagon.M2.mpy.rnd.hl.s0
hexagon_M2_mpy_rnd_hl_s1, // llvm.hexagon.M2.mpy.rnd.hl.s1
hexagon_M2_mpy_rnd_lh_s0, // llvm.hexagon.M2.mpy.rnd.lh.s0
hexagon_M2_mpy_rnd_lh_s1, // llvm.hexagon.M2.mpy.rnd.lh.s1
hexagon_M2_mpy_rnd_ll_s0, // llvm.hexagon.M2.mpy.rnd.ll.s0
hexagon_M2_mpy_rnd_ll_s1, // llvm.hexagon.M2.mpy.rnd.ll.s1
hexagon_M2_mpy_sat_hh_s0, // llvm.hexagon.M2.mpy.sat.hh.s0
hexagon_M2_mpy_sat_hh_s1, // llvm.hexagon.M2.mpy.sat.hh.s1
hexagon_M2_mpy_sat_hl_s0, // llvm.hexagon.M2.mpy.sat.hl.s0
hexagon_M2_mpy_sat_hl_s1, // llvm.hexagon.M2.mpy.sat.hl.s1
hexagon_M2_mpy_sat_lh_s0, // llvm.hexagon.M2.mpy.sat.lh.s0
hexagon_M2_mpy_sat_lh_s1, // llvm.hexagon.M2.mpy.sat.lh.s1
hexagon_M2_mpy_sat_ll_s0, // llvm.hexagon.M2.mpy.sat.ll.s0
hexagon_M2_mpy_sat_ll_s1, // llvm.hexagon.M2.mpy.sat.ll.s1
hexagon_M2_mpy_sat_rnd_hh_s0, // llvm.hexagon.M2.mpy.sat.rnd.hh.s0
hexagon_M2_mpy_sat_rnd_hh_s1, // llvm.hexagon.M2.mpy.sat.rnd.hh.s1
hexagon_M2_mpy_sat_rnd_hl_s0, // llvm.hexagon.M2.mpy.sat.rnd.hl.s0
hexagon_M2_mpy_sat_rnd_hl_s1, // llvm.hexagon.M2.mpy.sat.rnd.hl.s1
hexagon_M2_mpy_sat_rnd_lh_s0, // llvm.hexagon.M2.mpy.sat.rnd.lh.s0
hexagon_M2_mpy_sat_rnd_lh_s1, // llvm.hexagon.M2.mpy.sat.rnd.lh.s1
hexagon_M2_mpy_sat_rnd_ll_s0, // llvm.hexagon.M2.mpy.sat.rnd.ll.s0
hexagon_M2_mpy_sat_rnd_ll_s1, // llvm.hexagon.M2.mpy.sat.rnd.ll.s1
hexagon_M2_mpy_up, // llvm.hexagon.M2.mpy.up
hexagon_M2_mpy_up_s1, // llvm.hexagon.M2.mpy.up.s1
hexagon_M2_mpy_up_s1_sat, // llvm.hexagon.M2.mpy.up.s1.sat
hexagon_M2_mpyd_acc_hh_s0, // llvm.hexagon.M2.mpyd.acc.hh.s0
hexagon_M2_mpyd_acc_hh_s1, // llvm.hexagon.M2.mpyd.acc.hh.s1
hexagon_M2_mpyd_acc_hl_s0, // llvm.hexagon.M2.mpyd.acc.hl.s0
hexagon_M2_mpyd_acc_hl_s1, // llvm.hexagon.M2.mpyd.acc.hl.s1
hexagon_M2_mpyd_acc_lh_s0, // llvm.hexagon.M2.mpyd.acc.lh.s0
hexagon_M2_mpyd_acc_lh_s1, // llvm.hexagon.M2.mpyd.acc.lh.s1
hexagon_M2_mpyd_acc_ll_s0, // llvm.hexagon.M2.mpyd.acc.ll.s0
hexagon_M2_mpyd_acc_ll_s1, // llvm.hexagon.M2.mpyd.acc.ll.s1
hexagon_M2_mpyd_hh_s0, // llvm.hexagon.M2.mpyd.hh.s0
hexagon_M2_mpyd_hh_s1, // llvm.hexagon.M2.mpyd.hh.s1
hexagon_M2_mpyd_hl_s0, // llvm.hexagon.M2.mpyd.hl.s0
hexagon_M2_mpyd_hl_s1, // llvm.hexagon.M2.mpyd.hl.s1
hexagon_M2_mpyd_lh_s0, // llvm.hexagon.M2.mpyd.lh.s0
hexagon_M2_mpyd_lh_s1, // llvm.hexagon.M2.mpyd.lh.s1
hexagon_M2_mpyd_ll_s0, // llvm.hexagon.M2.mpyd.ll.s0
hexagon_M2_mpyd_ll_s1, // llvm.hexagon.M2.mpyd.ll.s1
hexagon_M2_mpyd_nac_hh_s0, // llvm.hexagon.M2.mpyd.nac.hh.s0
hexagon_M2_mpyd_nac_hh_s1, // llvm.hexagon.M2.mpyd.nac.hh.s1
hexagon_M2_mpyd_nac_hl_s0, // llvm.hexagon.M2.mpyd.nac.hl.s0
hexagon_M2_mpyd_nac_hl_s1, // llvm.hexagon.M2.mpyd.nac.hl.s1
hexagon_M2_mpyd_nac_lh_s0, // llvm.hexagon.M2.mpyd.nac.lh.s0
hexagon_M2_mpyd_nac_lh_s1, // llvm.hexagon.M2.mpyd.nac.lh.s1
hexagon_M2_mpyd_nac_ll_s0, // llvm.hexagon.M2.mpyd.nac.ll.s0
hexagon_M2_mpyd_nac_ll_s1, // llvm.hexagon.M2.mpyd.nac.ll.s1
hexagon_M2_mpyd_rnd_hh_s0, // llvm.hexagon.M2.mpyd.rnd.hh.s0
hexagon_M2_mpyd_rnd_hh_s1, // llvm.hexagon.M2.mpyd.rnd.hh.s1
hexagon_M2_mpyd_rnd_hl_s0, // llvm.hexagon.M2.mpyd.rnd.hl.s0
hexagon_M2_mpyd_rnd_hl_s1, // llvm.hexagon.M2.mpyd.rnd.hl.s1
hexagon_M2_mpyd_rnd_lh_s0, // llvm.hexagon.M2.mpyd.rnd.lh.s0
hexagon_M2_mpyd_rnd_lh_s1, // llvm.hexagon.M2.mpyd.rnd.lh.s1
hexagon_M2_mpyd_rnd_ll_s0, // llvm.hexagon.M2.mpyd.rnd.ll.s0
hexagon_M2_mpyd_rnd_ll_s1, // llvm.hexagon.M2.mpyd.rnd.ll.s1
hexagon_M2_mpyi, // llvm.hexagon.M2.mpyi
hexagon_M2_mpysin, // llvm.hexagon.M2.mpysin
hexagon_M2_mpysip, // llvm.hexagon.M2.mpysip
hexagon_M2_mpysmi, // llvm.hexagon.M2.mpysmi
hexagon_M2_mpysu_up, // llvm.hexagon.M2.mpysu.up
hexagon_M2_mpyu_acc_hh_s0, // llvm.hexagon.M2.mpyu.acc.hh.s0
hexagon_M2_mpyu_acc_hh_s1, // llvm.hexagon.M2.mpyu.acc.hh.s1
hexagon_M2_mpyu_acc_hl_s0, // llvm.hexagon.M2.mpyu.acc.hl.s0
hexagon_M2_mpyu_acc_hl_s1, // llvm.hexagon.M2.mpyu.acc.hl.s1
hexagon_M2_mpyu_acc_lh_s0, // llvm.hexagon.M2.mpyu.acc.lh.s0
hexagon_M2_mpyu_acc_lh_s1, // llvm.hexagon.M2.mpyu.acc.lh.s1
hexagon_M2_mpyu_acc_ll_s0, // llvm.hexagon.M2.mpyu.acc.ll.s0
hexagon_M2_mpyu_acc_ll_s1, // llvm.hexagon.M2.mpyu.acc.ll.s1
hexagon_M2_mpyu_hh_s0, // llvm.hexagon.M2.mpyu.hh.s0
hexagon_M2_mpyu_hh_s1, // llvm.hexagon.M2.mpyu.hh.s1
hexagon_M2_mpyu_hl_s0, // llvm.hexagon.M2.mpyu.hl.s0
hexagon_M2_mpyu_hl_s1, // llvm.hexagon.M2.mpyu.hl.s1
hexagon_M2_mpyu_lh_s0, // llvm.hexagon.M2.mpyu.lh.s0
hexagon_M2_mpyu_lh_s1, // llvm.hexagon.M2.mpyu.lh.s1
hexagon_M2_mpyu_ll_s0, // llvm.hexagon.M2.mpyu.ll.s0
hexagon_M2_mpyu_ll_s1, // llvm.hexagon.M2.mpyu.ll.s1
hexagon_M2_mpyu_nac_hh_s0, // llvm.hexagon.M2.mpyu.nac.hh.s0
hexagon_M2_mpyu_nac_hh_s1, // llvm.hexagon.M2.mpyu.nac.hh.s1
hexagon_M2_mpyu_nac_hl_s0, // llvm.hexagon.M2.mpyu.nac.hl.s0
hexagon_M2_mpyu_nac_hl_s1, // llvm.hexagon.M2.mpyu.nac.hl.s1
hexagon_M2_mpyu_nac_lh_s0, // llvm.hexagon.M2.mpyu.nac.lh.s0
hexagon_M2_mpyu_nac_lh_s1, // llvm.hexagon.M2.mpyu.nac.lh.s1
hexagon_M2_mpyu_nac_ll_s0, // llvm.hexagon.M2.mpyu.nac.ll.s0
hexagon_M2_mpyu_nac_ll_s1, // llvm.hexagon.M2.mpyu.nac.ll.s1
hexagon_M2_mpyu_up, // llvm.hexagon.M2.mpyu.up
hexagon_M2_mpyud_acc_hh_s0, // llvm.hexagon.M2.mpyud.acc.hh.s0
hexagon_M2_mpyud_acc_hh_s1, // llvm.hexagon.M2.mpyud.acc.hh.s1
hexagon_M2_mpyud_acc_hl_s0, // llvm.hexagon.M2.mpyud.acc.hl.s0
hexagon_M2_mpyud_acc_hl_s1, // llvm.hexagon.M2.mpyud.acc.hl.s1
hexagon_M2_mpyud_acc_lh_s0, // llvm.hexagon.M2.mpyud.acc.lh.s0
hexagon_M2_mpyud_acc_lh_s1, // llvm.hexagon.M2.mpyud.acc.lh.s1
hexagon_M2_mpyud_acc_ll_s0, // llvm.hexagon.M2.mpyud.acc.ll.s0
hexagon_M2_mpyud_acc_ll_s1, // llvm.hexagon.M2.mpyud.acc.ll.s1
hexagon_M2_mpyud_hh_s0, // llvm.hexagon.M2.mpyud.hh.s0
hexagon_M2_mpyud_hh_s1, // llvm.hexagon.M2.mpyud.hh.s1
hexagon_M2_mpyud_hl_s0, // llvm.hexagon.M2.mpyud.hl.s0
hexagon_M2_mpyud_hl_s1, // llvm.hexagon.M2.mpyud.hl.s1
hexagon_M2_mpyud_lh_s0, // llvm.hexagon.M2.mpyud.lh.s0
hexagon_M2_mpyud_lh_s1, // llvm.hexagon.M2.mpyud.lh.s1
hexagon_M2_mpyud_ll_s0, // llvm.hexagon.M2.mpyud.ll.s0
hexagon_M2_mpyud_ll_s1, // llvm.hexagon.M2.mpyud.ll.s1
hexagon_M2_mpyud_nac_hh_s0, // llvm.hexagon.M2.mpyud.nac.hh.s0
hexagon_M2_mpyud_nac_hh_s1, // llvm.hexagon.M2.mpyud.nac.hh.s1
hexagon_M2_mpyud_nac_hl_s0, // llvm.hexagon.M2.mpyud.nac.hl.s0
hexagon_M2_mpyud_nac_hl_s1, // llvm.hexagon.M2.mpyud.nac.hl.s1
hexagon_M2_mpyud_nac_lh_s0, // llvm.hexagon.M2.mpyud.nac.lh.s0
hexagon_M2_mpyud_nac_lh_s1, // llvm.hexagon.M2.mpyud.nac.lh.s1
hexagon_M2_mpyud_nac_ll_s0, // llvm.hexagon.M2.mpyud.nac.ll.s0
hexagon_M2_mpyud_nac_ll_s1, // llvm.hexagon.M2.mpyud.nac.ll.s1
hexagon_M2_mpyui, // llvm.hexagon.M2.mpyui
hexagon_M2_nacci, // llvm.hexagon.M2.nacci
hexagon_M2_naccii, // llvm.hexagon.M2.naccii
hexagon_M2_subacc, // llvm.hexagon.M2.subacc
hexagon_M2_vabsdiffh, // llvm.hexagon.M2.vabsdiffh
hexagon_M2_vabsdiffw, // llvm.hexagon.M2.vabsdiffw
hexagon_M2_vcmac_s0_sat_i, // llvm.hexagon.M2.vcmac.s0.sat.i
hexagon_M2_vcmac_s0_sat_r, // llvm.hexagon.M2.vcmac.s0.sat.r
hexagon_M2_vcmpy_s0_sat_i, // llvm.hexagon.M2.vcmpy.s0.sat.i
hexagon_M2_vcmpy_s0_sat_r, // llvm.hexagon.M2.vcmpy.s0.sat.r
hexagon_M2_vcmpy_s1_sat_i, // llvm.hexagon.M2.vcmpy.s1.sat.i
hexagon_M2_vcmpy_s1_sat_r, // llvm.hexagon.M2.vcmpy.s1.sat.r
hexagon_M2_vdmacs_s0, // llvm.hexagon.M2.vdmacs.s0
hexagon_M2_vdmacs_s1, // llvm.hexagon.M2.vdmacs.s1
hexagon_M2_vdmpyrs_s0, // llvm.hexagon.M2.vdmpyrs.s0
hexagon_M2_vdmpyrs_s1, // llvm.hexagon.M2.vdmpyrs.s1
hexagon_M2_vdmpys_s0, // llvm.hexagon.M2.vdmpys.s0
hexagon_M2_vdmpys_s1, // llvm.hexagon.M2.vdmpys.s1
hexagon_M2_vmac2, // llvm.hexagon.M2.vmac2
hexagon_M2_vmac2es, // llvm.hexagon.M2.vmac2es
hexagon_M2_vmac2es_s0, // llvm.hexagon.M2.vmac2es.s0
hexagon_M2_vmac2es_s1, // llvm.hexagon.M2.vmac2es.s1
hexagon_M2_vmac2s_s0, // llvm.hexagon.M2.vmac2s.s0
hexagon_M2_vmac2s_s1, // llvm.hexagon.M2.vmac2s.s1
hexagon_M2_vmac2su_s0, // llvm.hexagon.M2.vmac2su.s0
hexagon_M2_vmac2su_s1, // llvm.hexagon.M2.vmac2su.s1
hexagon_M2_vmpy2es_s0, // llvm.hexagon.M2.vmpy2es.s0
hexagon_M2_vmpy2es_s1, // llvm.hexagon.M2.vmpy2es.s1
hexagon_M2_vmpy2s_s0, // llvm.hexagon.M2.vmpy2s.s0
hexagon_M2_vmpy2s_s0pack, // llvm.hexagon.M2.vmpy2s.s0pack
hexagon_M2_vmpy2s_s1, // llvm.hexagon.M2.vmpy2s.s1
hexagon_M2_vmpy2s_s1pack, // llvm.hexagon.M2.vmpy2s.s1pack
hexagon_M2_vmpy2su_s0, // llvm.hexagon.M2.vmpy2su.s0
hexagon_M2_vmpy2su_s1, // llvm.hexagon.M2.vmpy2su.s1
hexagon_M2_vraddh, // llvm.hexagon.M2.vraddh
hexagon_M2_vradduh, // llvm.hexagon.M2.vradduh
hexagon_M2_vrcmaci_s0, // llvm.hexagon.M2.vrcmaci.s0
hexagon_M2_vrcmaci_s0c, // llvm.hexagon.M2.vrcmaci.s0c
hexagon_M2_vrcmacr_s0, // llvm.hexagon.M2.vrcmacr.s0
hexagon_M2_vrcmacr_s0c, // llvm.hexagon.M2.vrcmacr.s0c
hexagon_M2_vrcmpyi_s0, // llvm.hexagon.M2.vrcmpyi.s0
hexagon_M2_vrcmpyi_s0c, // llvm.hexagon.M2.vrcmpyi.s0c
hexagon_M2_vrcmpyr_s0, // llvm.hexagon.M2.vrcmpyr.s0
hexagon_M2_vrcmpyr_s0c, // llvm.hexagon.M2.vrcmpyr.s0c
hexagon_M2_vrcmpys_acc_s1, // llvm.hexagon.M2.vrcmpys.acc.s1
hexagon_M2_vrcmpys_s1, // llvm.hexagon.M2.vrcmpys.s1
hexagon_M2_vrcmpys_s1rp, // llvm.hexagon.M2.vrcmpys.s1rp
hexagon_M2_vrmac_s0, // llvm.hexagon.M2.vrmac.s0
hexagon_M2_vrmpy_s0, // llvm.hexagon.M2.vrmpy.s0
hexagon_M2_xor_xacc, // llvm.hexagon.M2.xor.xacc
hexagon_M4_and_and, // llvm.hexagon.M4.and.and
hexagon_M4_and_andn, // llvm.hexagon.M4.and.andn
hexagon_M4_and_or, // llvm.hexagon.M4.and.or
hexagon_M4_and_xor, // llvm.hexagon.M4.and.xor
hexagon_M4_cmpyi_wh, // llvm.hexagon.M4.cmpyi.wh
hexagon_M4_cmpyi_whc, // llvm.hexagon.M4.cmpyi.whc
hexagon_M4_cmpyr_wh, // llvm.hexagon.M4.cmpyr.wh
hexagon_M4_cmpyr_whc, // llvm.hexagon.M4.cmpyr.whc
hexagon_M4_mac_up_s1_sat, // llvm.hexagon.M4.mac.up.s1.sat
hexagon_M4_mpyri_addi, // llvm.hexagon.M4.mpyri.addi
hexagon_M4_mpyri_addr, // llvm.hexagon.M4.mpyri.addr
hexagon_M4_mpyri_addr_u2, // llvm.hexagon.M4.mpyri.addr.u2
hexagon_M4_mpyrr_addi, // llvm.hexagon.M4.mpyrr.addi
hexagon_M4_mpyrr_addr, // llvm.hexagon.M4.mpyrr.addr
hexagon_M4_nac_up_s1_sat, // llvm.hexagon.M4.nac.up.s1.sat
hexagon_M4_or_and, // llvm.hexagon.M4.or.and
hexagon_M4_or_andn, // llvm.hexagon.M4.or.andn
hexagon_M4_or_or, // llvm.hexagon.M4.or.or
hexagon_M4_or_xor, // llvm.hexagon.M4.or.xor
hexagon_M4_pmpyw, // llvm.hexagon.M4.pmpyw
hexagon_M4_pmpyw_acc, // llvm.hexagon.M4.pmpyw.acc
hexagon_M4_vpmpyh, // llvm.hexagon.M4.vpmpyh
hexagon_M4_vpmpyh_acc, // llvm.hexagon.M4.vpmpyh.acc
hexagon_M4_vrmpyeh_acc_s0, // llvm.hexagon.M4.vrmpyeh.acc.s0
hexagon_M4_vrmpyeh_acc_s1, // llvm.hexagon.M4.vrmpyeh.acc.s1
hexagon_M4_vrmpyeh_s0, // llvm.hexagon.M4.vrmpyeh.s0
hexagon_M4_vrmpyeh_s1, // llvm.hexagon.M4.vrmpyeh.s1
hexagon_M4_vrmpyoh_acc_s0, // llvm.hexagon.M4.vrmpyoh.acc.s0
hexagon_M4_vrmpyoh_acc_s1, // llvm.hexagon.M4.vrmpyoh.acc.s1
hexagon_M4_vrmpyoh_s0, // llvm.hexagon.M4.vrmpyoh.s0
hexagon_M4_vrmpyoh_s1, // llvm.hexagon.M4.vrmpyoh.s1
hexagon_M4_xor_and, // llvm.hexagon.M4.xor.and
hexagon_M4_xor_andn, // llvm.hexagon.M4.xor.andn
hexagon_M4_xor_or, // llvm.hexagon.M4.xor.or
hexagon_M4_xor_xacc, // llvm.hexagon.M4.xor.xacc
hexagon_M5_vdmacbsu, // llvm.hexagon.M5.vdmacbsu
hexagon_M5_vdmpybsu, // llvm.hexagon.M5.vdmpybsu
hexagon_M5_vmacbsu, // llvm.hexagon.M5.vmacbsu
hexagon_M5_vmacbuu, // llvm.hexagon.M5.vmacbuu
hexagon_M5_vmpybsu, // llvm.hexagon.M5.vmpybsu
hexagon_M5_vmpybuu, // llvm.hexagon.M5.vmpybuu
hexagon_M5_vrmacbsu, // llvm.hexagon.M5.vrmacbsu
hexagon_M5_vrmacbuu, // llvm.hexagon.M5.vrmacbuu
hexagon_M5_vrmpybsu, // llvm.hexagon.M5.vrmpybsu
hexagon_M5_vrmpybuu, // llvm.hexagon.M5.vrmpybuu
hexagon_M6_vabsdiffb, // llvm.hexagon.M6.vabsdiffb
hexagon_M6_vabsdiffub, // llvm.hexagon.M6.vabsdiffub
hexagon_S2_addasl_rrri, // llvm.hexagon.S2.addasl.rrri
hexagon_S2_asl_i_p, // llvm.hexagon.S2.asl.i.p
hexagon_S2_asl_i_p_acc, // llvm.hexagon.S2.asl.i.p.acc
hexagon_S2_asl_i_p_and, // llvm.hexagon.S2.asl.i.p.and
hexagon_S2_asl_i_p_nac, // llvm.hexagon.S2.asl.i.p.nac
hexagon_S2_asl_i_p_or, // llvm.hexagon.S2.asl.i.p.or
hexagon_S2_asl_i_p_xacc, // llvm.hexagon.S2.asl.i.p.xacc
hexagon_S2_asl_i_r, // llvm.hexagon.S2.asl.i.r
hexagon_S2_asl_i_r_acc, // llvm.hexagon.S2.asl.i.r.acc
hexagon_S2_asl_i_r_and, // llvm.hexagon.S2.asl.i.r.and
hexagon_S2_asl_i_r_nac, // llvm.hexagon.S2.asl.i.r.nac
hexagon_S2_asl_i_r_or, // llvm.hexagon.S2.asl.i.r.or
hexagon_S2_asl_i_r_sat, // llvm.hexagon.S2.asl.i.r.sat
hexagon_S2_asl_i_r_xacc, // llvm.hexagon.S2.asl.i.r.xacc
hexagon_S2_asl_i_vh, // llvm.hexagon.S2.asl.i.vh
hexagon_S2_asl_i_vw, // llvm.hexagon.S2.asl.i.vw
hexagon_S2_asl_r_p, // llvm.hexagon.S2.asl.r.p
hexagon_S2_asl_r_p_acc, // llvm.hexagon.S2.asl.r.p.acc
hexagon_S2_asl_r_p_and, // llvm.hexagon.S2.asl.r.p.and
hexagon_S2_asl_r_p_nac, // llvm.hexagon.S2.asl.r.p.nac
hexagon_S2_asl_r_p_or, // llvm.hexagon.S2.asl.r.p.or
hexagon_S2_asl_r_p_xor, // llvm.hexagon.S2.asl.r.p.xor
hexagon_S2_asl_r_r, // llvm.hexagon.S2.asl.r.r
hexagon_S2_asl_r_r_acc, // llvm.hexagon.S2.asl.r.r.acc
hexagon_S2_asl_r_r_and, // llvm.hexagon.S2.asl.r.r.and
hexagon_S2_asl_r_r_nac, // llvm.hexagon.S2.asl.r.r.nac
hexagon_S2_asl_r_r_or, // llvm.hexagon.S2.asl.r.r.or
hexagon_S2_asl_r_r_sat, // llvm.hexagon.S2.asl.r.r.sat
hexagon_S2_asl_r_vh, // llvm.hexagon.S2.asl.r.vh
hexagon_S2_asl_r_vw, // llvm.hexagon.S2.asl.r.vw
hexagon_S2_asr_i_p, // llvm.hexagon.S2.asr.i.p
hexagon_S2_asr_i_p_acc, // llvm.hexagon.S2.asr.i.p.acc
hexagon_S2_asr_i_p_and, // llvm.hexagon.S2.asr.i.p.and
hexagon_S2_asr_i_p_nac, // llvm.hexagon.S2.asr.i.p.nac
hexagon_S2_asr_i_p_or, // llvm.hexagon.S2.asr.i.p.or
hexagon_S2_asr_i_p_rnd, // llvm.hexagon.S2.asr.i.p.rnd
hexagon_S2_asr_i_p_rnd_goodsyntax, // llvm.hexagon.S2.asr.i.p.rnd.goodsyntax
hexagon_S2_asr_i_r, // llvm.hexagon.S2.asr.i.r
hexagon_S2_asr_i_r_acc, // llvm.hexagon.S2.asr.i.r.acc
hexagon_S2_asr_i_r_and, // llvm.hexagon.S2.asr.i.r.and
hexagon_S2_asr_i_r_nac, // llvm.hexagon.S2.asr.i.r.nac
hexagon_S2_asr_i_r_or, // llvm.hexagon.S2.asr.i.r.or
hexagon_S2_asr_i_r_rnd, // llvm.hexagon.S2.asr.i.r.rnd
hexagon_S2_asr_i_r_rnd_goodsyntax, // llvm.hexagon.S2.asr.i.r.rnd.goodsyntax
hexagon_S2_asr_i_svw_trun, // llvm.hexagon.S2.asr.i.svw.trun
hexagon_S2_asr_i_vh, // llvm.hexagon.S2.asr.i.vh
hexagon_S2_asr_i_vw, // llvm.hexagon.S2.asr.i.vw
hexagon_S2_asr_r_p, // llvm.hexagon.S2.asr.r.p
hexagon_S2_asr_r_p_acc, // llvm.hexagon.S2.asr.r.p.acc
hexagon_S2_asr_r_p_and, // llvm.hexagon.S2.asr.r.p.and
hexagon_S2_asr_r_p_nac, // llvm.hexagon.S2.asr.r.p.nac
hexagon_S2_asr_r_p_or, // llvm.hexagon.S2.asr.r.p.or
hexagon_S2_asr_r_p_xor, // llvm.hexagon.S2.asr.r.p.xor
hexagon_S2_asr_r_r, // llvm.hexagon.S2.asr.r.r
hexagon_S2_asr_r_r_acc, // llvm.hexagon.S2.asr.r.r.acc
hexagon_S2_asr_r_r_and, // llvm.hexagon.S2.asr.r.r.and
hexagon_S2_asr_r_r_nac, // llvm.hexagon.S2.asr.r.r.nac
hexagon_S2_asr_r_r_or, // llvm.hexagon.S2.asr.r.r.or
hexagon_S2_asr_r_r_sat, // llvm.hexagon.S2.asr.r.r.sat
hexagon_S2_asr_r_svw_trun, // llvm.hexagon.S2.asr.r.svw.trun
hexagon_S2_asr_r_vh, // llvm.hexagon.S2.asr.r.vh
hexagon_S2_asr_r_vw, // llvm.hexagon.S2.asr.r.vw
hexagon_S2_brev, // llvm.hexagon.S2.brev
hexagon_S2_brevp, // llvm.hexagon.S2.brevp
hexagon_S2_cl0, // llvm.hexagon.S2.cl0
hexagon_S2_cl0p, // llvm.hexagon.S2.cl0p
hexagon_S2_cl1, // llvm.hexagon.S2.cl1
hexagon_S2_cl1p, // llvm.hexagon.S2.cl1p
hexagon_S2_clb, // llvm.hexagon.S2.clb
hexagon_S2_clbnorm, // llvm.hexagon.S2.clbnorm
hexagon_S2_clbp, // llvm.hexagon.S2.clbp
hexagon_S2_clrbit_i, // llvm.hexagon.S2.clrbit.i
hexagon_S2_clrbit_r, // llvm.hexagon.S2.clrbit.r
hexagon_S2_ct0, // llvm.hexagon.S2.ct0
hexagon_S2_ct0p, // llvm.hexagon.S2.ct0p
hexagon_S2_ct1, // llvm.hexagon.S2.ct1
hexagon_S2_ct1p, // llvm.hexagon.S2.ct1p
hexagon_S2_deinterleave, // llvm.hexagon.S2.deinterleave
hexagon_S2_extractu, // llvm.hexagon.S2.extractu
hexagon_S2_extractu_rp, // llvm.hexagon.S2.extractu.rp
hexagon_S2_extractup, // llvm.hexagon.S2.extractup
hexagon_S2_extractup_rp, // llvm.hexagon.S2.extractup.rp
hexagon_S2_insert, // llvm.hexagon.S2.insert
hexagon_S2_insert_rp, // llvm.hexagon.S2.insert.rp
hexagon_S2_insertp, // llvm.hexagon.S2.insertp
hexagon_S2_insertp_rp, // llvm.hexagon.S2.insertp.rp
hexagon_S2_interleave, // llvm.hexagon.S2.interleave
hexagon_S2_lfsp, // llvm.hexagon.S2.lfsp
hexagon_S2_lsl_r_p, // llvm.hexagon.S2.lsl.r.p
hexagon_S2_lsl_r_p_acc, // llvm.hexagon.S2.lsl.r.p.acc
hexagon_S2_lsl_r_p_and, // llvm.hexagon.S2.lsl.r.p.and
hexagon_S2_lsl_r_p_nac, // llvm.hexagon.S2.lsl.r.p.nac
hexagon_S2_lsl_r_p_or, // llvm.hexagon.S2.lsl.r.p.or
hexagon_S2_lsl_r_p_xor, // llvm.hexagon.S2.lsl.r.p.xor
hexagon_S2_lsl_r_r, // llvm.hexagon.S2.lsl.r.r
hexagon_S2_lsl_r_r_acc, // llvm.hexagon.S2.lsl.r.r.acc
hexagon_S2_lsl_r_r_and, // llvm.hexagon.S2.lsl.r.r.and
hexagon_S2_lsl_r_r_nac, // llvm.hexagon.S2.lsl.r.r.nac
hexagon_S2_lsl_r_r_or, // llvm.hexagon.S2.lsl.r.r.or
hexagon_S2_lsl_r_vh, // llvm.hexagon.S2.lsl.r.vh
hexagon_S2_lsl_r_vw, // llvm.hexagon.S2.lsl.r.vw
hexagon_S2_lsr_i_p, // llvm.hexagon.S2.lsr.i.p
hexagon_S2_lsr_i_p_acc, // llvm.hexagon.S2.lsr.i.p.acc
hexagon_S2_lsr_i_p_and, // llvm.hexagon.S2.lsr.i.p.and
hexagon_S2_lsr_i_p_nac, // llvm.hexagon.S2.lsr.i.p.nac
hexagon_S2_lsr_i_p_or, // llvm.hexagon.S2.lsr.i.p.or
hexagon_S2_lsr_i_p_xacc, // llvm.hexagon.S2.lsr.i.p.xacc
hexagon_S2_lsr_i_r, // llvm.hexagon.S2.lsr.i.r
hexagon_S2_lsr_i_r_acc, // llvm.hexagon.S2.lsr.i.r.acc
hexagon_S2_lsr_i_r_and, // llvm.hexagon.S2.lsr.i.r.and
hexagon_S2_lsr_i_r_nac, // llvm.hexagon.S2.lsr.i.r.nac
hexagon_S2_lsr_i_r_or, // llvm.hexagon.S2.lsr.i.r.or
hexagon_S2_lsr_i_r_xacc, // llvm.hexagon.S2.lsr.i.r.xacc
hexagon_S2_lsr_i_vh, // llvm.hexagon.S2.lsr.i.vh
hexagon_S2_lsr_i_vw, // llvm.hexagon.S2.lsr.i.vw
hexagon_S2_lsr_r_p, // llvm.hexagon.S2.lsr.r.p
hexagon_S2_lsr_r_p_acc, // llvm.hexagon.S2.lsr.r.p.acc
hexagon_S2_lsr_r_p_and, // llvm.hexagon.S2.lsr.r.p.and
hexagon_S2_lsr_r_p_nac, // llvm.hexagon.S2.lsr.r.p.nac
hexagon_S2_lsr_r_p_or, // llvm.hexagon.S2.lsr.r.p.or
hexagon_S2_lsr_r_p_xor, // llvm.hexagon.S2.lsr.r.p.xor
hexagon_S2_lsr_r_r, // llvm.hexagon.S2.lsr.r.r
hexagon_S2_lsr_r_r_acc, // llvm.hexagon.S2.lsr.r.r.acc
hexagon_S2_lsr_r_r_and, // llvm.hexagon.S2.lsr.r.r.and
hexagon_S2_lsr_r_r_nac, // llvm.hexagon.S2.lsr.r.r.nac
hexagon_S2_lsr_r_r_or, // llvm.hexagon.S2.lsr.r.r.or
hexagon_S2_lsr_r_vh, // llvm.hexagon.S2.lsr.r.vh
hexagon_S2_lsr_r_vw, // llvm.hexagon.S2.lsr.r.vw
hexagon_S2_mask, // llvm.hexagon.S2.mask
hexagon_S2_packhl, // llvm.hexagon.S2.packhl
hexagon_S2_parityp, // llvm.hexagon.S2.parityp
hexagon_S2_setbit_i, // llvm.hexagon.S2.setbit.i
hexagon_S2_setbit_r, // llvm.hexagon.S2.setbit.r
hexagon_S2_shuffeb, // llvm.hexagon.S2.shuffeb
hexagon_S2_shuffeh, // llvm.hexagon.S2.shuffeh
hexagon_S2_shuffob, // llvm.hexagon.S2.shuffob
hexagon_S2_shuffoh, // llvm.hexagon.S2.shuffoh
hexagon_S2_storerb_pbr, // llvm.hexagon.S2.storerb.pbr
hexagon_S2_storerb_pci, // llvm.hexagon.S2.storerb.pci
hexagon_S2_storerb_pcr, // llvm.hexagon.S2.storerb.pcr
hexagon_S2_storerd_pbr, // llvm.hexagon.S2.storerd.pbr
hexagon_S2_storerd_pci, // llvm.hexagon.S2.storerd.pci
hexagon_S2_storerd_pcr, // llvm.hexagon.S2.storerd.pcr
hexagon_S2_storerf_pbr, // llvm.hexagon.S2.storerf.pbr
hexagon_S2_storerf_pci, // llvm.hexagon.S2.storerf.pci
hexagon_S2_storerf_pcr, // llvm.hexagon.S2.storerf.pcr
hexagon_S2_storerh_pbr, // llvm.hexagon.S2.storerh.pbr
hexagon_S2_storerh_pci, // llvm.hexagon.S2.storerh.pci
hexagon_S2_storerh_pcr, // llvm.hexagon.S2.storerh.pcr
hexagon_S2_storeri_pbr, // llvm.hexagon.S2.storeri.pbr
hexagon_S2_storeri_pci, // llvm.hexagon.S2.storeri.pci
hexagon_S2_storeri_pcr, // llvm.hexagon.S2.storeri.pcr
hexagon_S2_storew_locked, // llvm.hexagon.S2.storew.locked
hexagon_S2_svsathb, // llvm.hexagon.S2.svsathb
hexagon_S2_svsathub, // llvm.hexagon.S2.svsathub
hexagon_S2_tableidxb_goodsyntax, // llvm.hexagon.S2.tableidxb.goodsyntax
hexagon_S2_tableidxd_goodsyntax, // llvm.hexagon.S2.tableidxd.goodsyntax
hexagon_S2_tableidxh_goodsyntax, // llvm.hexagon.S2.tableidxh.goodsyntax
hexagon_S2_tableidxw_goodsyntax, // llvm.hexagon.S2.tableidxw.goodsyntax
hexagon_S2_togglebit_i, // llvm.hexagon.S2.togglebit.i
hexagon_S2_togglebit_r, // llvm.hexagon.S2.togglebit.r
hexagon_S2_tstbit_i, // llvm.hexagon.S2.tstbit.i
hexagon_S2_tstbit_r, // llvm.hexagon.S2.tstbit.r
hexagon_S2_valignib, // llvm.hexagon.S2.valignib
hexagon_S2_valignrb, // llvm.hexagon.S2.valignrb
hexagon_S2_vcnegh, // llvm.hexagon.S2.vcnegh
hexagon_S2_vcrotate, // llvm.hexagon.S2.vcrotate
hexagon_S2_vrcnegh, // llvm.hexagon.S2.vrcnegh
hexagon_S2_vrndpackwh, // llvm.hexagon.S2.vrndpackwh
hexagon_S2_vrndpackwhs, // llvm.hexagon.S2.vrndpackwhs
hexagon_S2_vsathb, // llvm.hexagon.S2.vsathb
hexagon_S2_vsathb_nopack, // llvm.hexagon.S2.vsathb.nopack
hexagon_S2_vsathub, // llvm.hexagon.S2.vsathub
hexagon_S2_vsathub_nopack, // llvm.hexagon.S2.vsathub.nopack
hexagon_S2_vsatwh, // llvm.hexagon.S2.vsatwh
hexagon_S2_vsatwh_nopack, // llvm.hexagon.S2.vsatwh.nopack
hexagon_S2_vsatwuh, // llvm.hexagon.S2.vsatwuh
hexagon_S2_vsatwuh_nopack, // llvm.hexagon.S2.vsatwuh.nopack
hexagon_S2_vsplatrb, // llvm.hexagon.S2.vsplatrb
hexagon_S2_vsplatrh, // llvm.hexagon.S2.vsplatrh
hexagon_S2_vspliceib, // llvm.hexagon.S2.vspliceib
hexagon_S2_vsplicerb, // llvm.hexagon.S2.vsplicerb
hexagon_S2_vsxtbh, // llvm.hexagon.S2.vsxtbh
hexagon_S2_vsxthw, // llvm.hexagon.S2.vsxthw
hexagon_S2_vtrunehb, // llvm.hexagon.S2.vtrunehb
hexagon_S2_vtrunewh, // llvm.hexagon.S2.vtrunewh
hexagon_S2_vtrunohb, // llvm.hexagon.S2.vtrunohb
hexagon_S2_vtrunowh, // llvm.hexagon.S2.vtrunowh
hexagon_S2_vzxtbh, // llvm.hexagon.S2.vzxtbh
hexagon_S2_vzxthw, // llvm.hexagon.S2.vzxthw
hexagon_S4_addaddi, // llvm.hexagon.S4.addaddi
hexagon_S4_addi_asl_ri, // llvm.hexagon.S4.addi.asl.ri
hexagon_S4_addi_lsr_ri, // llvm.hexagon.S4.addi.lsr.ri
hexagon_S4_andi_asl_ri, // llvm.hexagon.S4.andi.asl.ri
hexagon_S4_andi_lsr_ri, // llvm.hexagon.S4.andi.lsr.ri
hexagon_S4_clbaddi, // llvm.hexagon.S4.clbaddi
hexagon_S4_clbpaddi, // llvm.hexagon.S4.clbpaddi
hexagon_S4_clbpnorm, // llvm.hexagon.S4.clbpnorm
hexagon_S4_extract, // llvm.hexagon.S4.extract
hexagon_S4_extract_rp, // llvm.hexagon.S4.extract.rp
hexagon_S4_extractp, // llvm.hexagon.S4.extractp
hexagon_S4_extractp_rp, // llvm.hexagon.S4.extractp.rp
hexagon_S4_lsli, // llvm.hexagon.S4.lsli
hexagon_S4_ntstbit_i, // llvm.hexagon.S4.ntstbit.i
hexagon_S4_ntstbit_r, // llvm.hexagon.S4.ntstbit.r
hexagon_S4_or_andi, // llvm.hexagon.S4.or.andi
hexagon_S4_or_andix, // llvm.hexagon.S4.or.andix
hexagon_S4_or_ori, // llvm.hexagon.S4.or.ori
hexagon_S4_ori_asl_ri, // llvm.hexagon.S4.ori.asl.ri
hexagon_S4_ori_lsr_ri, // llvm.hexagon.S4.ori.lsr.ri
hexagon_S4_parity, // llvm.hexagon.S4.parity
hexagon_S4_stored_locked, // llvm.hexagon.S4.stored.locked
hexagon_S4_subaddi, // llvm.hexagon.S4.subaddi
hexagon_S4_subi_asl_ri, // llvm.hexagon.S4.subi.asl.ri
hexagon_S4_subi_lsr_ri, // llvm.hexagon.S4.subi.lsr.ri
hexagon_S4_vrcrotate, // llvm.hexagon.S4.vrcrotate
hexagon_S4_vrcrotate_acc, // llvm.hexagon.S4.vrcrotate.acc
hexagon_S4_vxaddsubh, // llvm.hexagon.S4.vxaddsubh
hexagon_S4_vxaddsubhr, // llvm.hexagon.S4.vxaddsubhr
hexagon_S4_vxaddsubw, // llvm.hexagon.S4.vxaddsubw
hexagon_S4_vxsubaddh, // llvm.hexagon.S4.vxsubaddh
hexagon_S4_vxsubaddhr, // llvm.hexagon.S4.vxsubaddhr
hexagon_S4_vxsubaddw, // llvm.hexagon.S4.vxsubaddw
hexagon_S5_asrhub_rnd_sat_goodsyntax, // llvm.hexagon.S5.asrhub.rnd.sat.goodsyntax
hexagon_S5_asrhub_sat, // llvm.hexagon.S5.asrhub.sat
hexagon_S5_popcountp, // llvm.hexagon.S5.popcountp
hexagon_S5_vasrhrnd_goodsyntax, // llvm.hexagon.S5.vasrhrnd.goodsyntax
hexagon_S6_rol_i_p, // llvm.hexagon.S6.rol.i.p
hexagon_S6_rol_i_p_acc, // llvm.hexagon.S6.rol.i.p.acc
hexagon_S6_rol_i_p_and, // llvm.hexagon.S6.rol.i.p.and
hexagon_S6_rol_i_p_nac, // llvm.hexagon.S6.rol.i.p.nac
hexagon_S6_rol_i_p_or, // llvm.hexagon.S6.rol.i.p.or
hexagon_S6_rol_i_p_xacc, // llvm.hexagon.S6.rol.i.p.xacc
hexagon_S6_rol_i_r, // llvm.hexagon.S6.rol.i.r
hexagon_S6_rol_i_r_acc, // llvm.hexagon.S6.rol.i.r.acc
hexagon_S6_rol_i_r_and, // llvm.hexagon.S6.rol.i.r.and
hexagon_S6_rol_i_r_nac, // llvm.hexagon.S6.rol.i.r.nac
hexagon_S6_rol_i_r_or, // llvm.hexagon.S6.rol.i.r.or
hexagon_S6_rol_i_r_xacc, // llvm.hexagon.S6.rol.i.r.xacc
hexagon_S6_vsplatrbp, // llvm.hexagon.S6.vsplatrbp
hexagon_S6_vtrunehb_ppp, // llvm.hexagon.S6.vtrunehb.ppp
hexagon_S6_vtrunohb_ppp, // llvm.hexagon.S6.vtrunohb.ppp
hexagon_V6_extractw, // llvm.hexagon.V6.extractw
hexagon_V6_extractw_128B, // llvm.hexagon.V6.extractw.128B
hexagon_V6_hi, // llvm.hexagon.V6.hi
hexagon_V6_hi_128B, // llvm.hexagon.V6.hi.128B
hexagon_V6_ld0, // llvm.hexagon.V6.ld0
hexagon_V6_ld0_128B, // llvm.hexagon.V6.ld0.128B
hexagon_V6_ldcnp0, // llvm.hexagon.V6.ldcnp0
hexagon_V6_ldcnp0_128B, // llvm.hexagon.V6.ldcnp0.128B
hexagon_V6_ldcnpnt0, // llvm.hexagon.V6.ldcnpnt0
hexagon_V6_ldcnpnt0_128B, // llvm.hexagon.V6.ldcnpnt0.128B
hexagon_V6_ldcp0, // llvm.hexagon.V6.ldcp0
hexagon_V6_ldcp0_128B, // llvm.hexagon.V6.ldcp0.128B
hexagon_V6_ldcpnt0, // llvm.hexagon.V6.ldcpnt0
hexagon_V6_ldcpnt0_128B, // llvm.hexagon.V6.ldcpnt0.128B
hexagon_V6_ldnp0, // llvm.hexagon.V6.ldnp0
hexagon_V6_ldnp0_128B, // llvm.hexagon.V6.ldnp0.128B
hexagon_V6_ldnpnt0, // llvm.hexagon.V6.ldnpnt0
hexagon_V6_ldnpnt0_128B, // llvm.hexagon.V6.ldnpnt0.128B
hexagon_V6_ldnt0, // llvm.hexagon.V6.ldnt0
hexagon_V6_ldnt0_128B, // llvm.hexagon.V6.ldnt0.128B
hexagon_V6_ldntnt0, // llvm.hexagon.V6.ldntnt0
hexagon_V6_ldp0, // llvm.hexagon.V6.ldp0
hexagon_V6_ldp0_128B, // llvm.hexagon.V6.ldp0.128B
hexagon_V6_ldpnt0, // llvm.hexagon.V6.ldpnt0
hexagon_V6_ldpnt0_128B, // llvm.hexagon.V6.ldpnt0.128B
hexagon_V6_ldtnp0, // llvm.hexagon.V6.ldtnp0
hexagon_V6_ldtnp0_128B, // llvm.hexagon.V6.ldtnp0.128B
hexagon_V6_ldtnpnt0, // llvm.hexagon.V6.ldtnpnt0
hexagon_V6_ldtnpnt0_128B, // llvm.hexagon.V6.ldtnpnt0.128B
hexagon_V6_ldtp0, // llvm.hexagon.V6.ldtp0
hexagon_V6_ldtp0_128B, // llvm.hexagon.V6.ldtp0.128B
hexagon_V6_ldtpnt0, // llvm.hexagon.V6.ldtpnt0
hexagon_V6_ldtpnt0_128B, // llvm.hexagon.V6.ldtpnt0.128B
hexagon_V6_ldu0, // llvm.hexagon.V6.ldu0
hexagon_V6_ldu0_128B, // llvm.hexagon.V6.ldu0.128B
hexagon_V6_lo, // llvm.hexagon.V6.lo
hexagon_V6_lo_128B, // llvm.hexagon.V6.lo.128B
hexagon_V6_lvsplatb, // llvm.hexagon.V6.lvsplatb
hexagon_V6_lvsplatb_128B, // llvm.hexagon.V6.lvsplatb.128B
hexagon_V6_lvsplath, // llvm.hexagon.V6.lvsplath
hexagon_V6_lvsplath_128B, // llvm.hexagon.V6.lvsplath.128B
hexagon_V6_lvsplatw, // llvm.hexagon.V6.lvsplatw
hexagon_V6_lvsplatw_128B, // llvm.hexagon.V6.lvsplatw.128B
hexagon_V6_pred_and, // llvm.hexagon.V6.pred.and
hexagon_V6_pred_and_128B, // llvm.hexagon.V6.pred.and.128B
hexagon_V6_pred_and_n, // llvm.hexagon.V6.pred.and.n
hexagon_V6_pred_and_n_128B, // llvm.hexagon.V6.pred.and.n.128B
hexagon_V6_pred_not, // llvm.hexagon.V6.pred.not
hexagon_V6_pred_not_128B, // llvm.hexagon.V6.pred.not.128B
hexagon_V6_pred_or, // llvm.hexagon.V6.pred.or
hexagon_V6_pred_or_128B, // llvm.hexagon.V6.pred.or.128B
hexagon_V6_pred_or_n, // llvm.hexagon.V6.pred.or.n
hexagon_V6_pred_or_n_128B, // llvm.hexagon.V6.pred.or.n.128B
hexagon_V6_pred_scalar2, // llvm.hexagon.V6.pred.scalar2
hexagon_V6_pred_scalar2_128B, // llvm.hexagon.V6.pred.scalar2.128B
hexagon_V6_pred_scalar2v2, // llvm.hexagon.V6.pred.scalar2v2
hexagon_V6_pred_scalar2v2_128B, // llvm.hexagon.V6.pred.scalar2v2.128B
hexagon_V6_pred_xor, // llvm.hexagon.V6.pred.xor
hexagon_V6_pred_xor_128B, // llvm.hexagon.V6.pred.xor.128B
hexagon_V6_shuffeqh, // llvm.hexagon.V6.shuffeqh
hexagon_V6_shuffeqh_128B, // llvm.hexagon.V6.shuffeqh.128B
hexagon_V6_shuffeqw, // llvm.hexagon.V6.shuffeqw
hexagon_V6_shuffeqw_128B, // llvm.hexagon.V6.shuffeqw.128B
hexagon_V6_vS32b_nqpred_ai, // llvm.hexagon.V6.vS32b.nqpred.ai
hexagon_V6_vS32b_nqpred_ai_128B, // llvm.hexagon.V6.vS32b.nqpred.ai.128B
hexagon_V6_vS32b_nt_nqpred_ai, // llvm.hexagon.V6.vS32b.nt.nqpred.ai
hexagon_V6_vS32b_nt_nqpred_ai_128B, // llvm.hexagon.V6.vS32b.nt.nqpred.ai.128B
hexagon_V6_vS32b_nt_qpred_ai, // llvm.hexagon.V6.vS32b.nt.qpred.ai
hexagon_V6_vS32b_nt_qpred_ai_128B, // llvm.hexagon.V6.vS32b.nt.qpred.ai.128B
hexagon_V6_vS32b_qpred_ai, // llvm.hexagon.V6.vS32b.qpred.ai
hexagon_V6_vS32b_qpred_ai_128B, // llvm.hexagon.V6.vS32b.qpred.ai.128B
hexagon_V6_vabsb, // llvm.hexagon.V6.vabsb
hexagon_V6_vabsb_128B, // llvm.hexagon.V6.vabsb.128B
hexagon_V6_vabsb_sat, // llvm.hexagon.V6.vabsb.sat
hexagon_V6_vabsb_sat_128B, // llvm.hexagon.V6.vabsb.sat.128B
hexagon_V6_vabsdiffh, // llvm.hexagon.V6.vabsdiffh
hexagon_V6_vabsdiffh_128B, // llvm.hexagon.V6.vabsdiffh.128B
hexagon_V6_vabsdiffub, // llvm.hexagon.V6.vabsdiffub
hexagon_V6_vabsdiffub_128B, // llvm.hexagon.V6.vabsdiffub.128B
hexagon_V6_vabsdiffuh, // llvm.hexagon.V6.vabsdiffuh
hexagon_V6_vabsdiffuh_128B, // llvm.hexagon.V6.vabsdiffuh.128B
hexagon_V6_vabsdiffw, // llvm.hexagon.V6.vabsdiffw
hexagon_V6_vabsdiffw_128B, // llvm.hexagon.V6.vabsdiffw.128B
hexagon_V6_vabsh, // llvm.hexagon.V6.vabsh
hexagon_V6_vabsh_128B, // llvm.hexagon.V6.vabsh.128B
hexagon_V6_vabsh_sat, // llvm.hexagon.V6.vabsh.sat
hexagon_V6_vabsh_sat_128B, // llvm.hexagon.V6.vabsh.sat.128B
hexagon_V6_vabsw, // llvm.hexagon.V6.vabsw
hexagon_V6_vabsw_128B, // llvm.hexagon.V6.vabsw.128B
hexagon_V6_vabsw_sat, // llvm.hexagon.V6.vabsw.sat
hexagon_V6_vabsw_sat_128B, // llvm.hexagon.V6.vabsw.sat.128B
hexagon_V6_vaddb, // llvm.hexagon.V6.vaddb
hexagon_V6_vaddb_128B, // llvm.hexagon.V6.vaddb.128B
hexagon_V6_vaddb_dv, // llvm.hexagon.V6.vaddb.dv
hexagon_V6_vaddb_dv_128B, // llvm.hexagon.V6.vaddb.dv.128B
hexagon_V6_vaddbnq, // llvm.hexagon.V6.vaddbnq
hexagon_V6_vaddbnq_128B, // llvm.hexagon.V6.vaddbnq.128B
hexagon_V6_vaddbq, // llvm.hexagon.V6.vaddbq
hexagon_V6_vaddbq_128B, // llvm.hexagon.V6.vaddbq.128B
hexagon_V6_vaddbsat, // llvm.hexagon.V6.vaddbsat
hexagon_V6_vaddbsat_128B, // llvm.hexagon.V6.vaddbsat.128B
hexagon_V6_vaddbsat_dv, // llvm.hexagon.V6.vaddbsat.dv
hexagon_V6_vaddbsat_dv_128B, // llvm.hexagon.V6.vaddbsat.dv.128B
hexagon_V6_vaddcarry, // llvm.hexagon.V6.vaddcarry
hexagon_V6_vaddcarry_128B, // llvm.hexagon.V6.vaddcarry.128B
hexagon_V6_vaddcarrysat, // llvm.hexagon.V6.vaddcarrysat
hexagon_V6_vaddcarrysat_128B, // llvm.hexagon.V6.vaddcarrysat.128B
hexagon_V6_vaddclbh, // llvm.hexagon.V6.vaddclbh
hexagon_V6_vaddclbh_128B, // llvm.hexagon.V6.vaddclbh.128B
hexagon_V6_vaddclbw, // llvm.hexagon.V6.vaddclbw
hexagon_V6_vaddclbw_128B, // llvm.hexagon.V6.vaddclbw.128B
hexagon_V6_vaddh, // llvm.hexagon.V6.vaddh
hexagon_V6_vaddh_128B, // llvm.hexagon.V6.vaddh.128B
hexagon_V6_vaddh_dv, // llvm.hexagon.V6.vaddh.dv
hexagon_V6_vaddh_dv_128B, // llvm.hexagon.V6.vaddh.dv.128B
hexagon_V6_vaddhnq, // llvm.hexagon.V6.vaddhnq
hexagon_V6_vaddhnq_128B, // llvm.hexagon.V6.vaddhnq.128B
hexagon_V6_vaddhq, // llvm.hexagon.V6.vaddhq
hexagon_V6_vaddhq_128B, // llvm.hexagon.V6.vaddhq.128B
hexagon_V6_vaddhsat, // llvm.hexagon.V6.vaddhsat
hexagon_V6_vaddhsat_128B, // llvm.hexagon.V6.vaddhsat.128B
hexagon_V6_vaddhsat_dv, // llvm.hexagon.V6.vaddhsat.dv
hexagon_V6_vaddhsat_dv_128B, // llvm.hexagon.V6.vaddhsat.dv.128B
hexagon_V6_vaddhw, // llvm.hexagon.V6.vaddhw
hexagon_V6_vaddhw_128B, // llvm.hexagon.V6.vaddhw.128B
hexagon_V6_vaddhw_acc, // llvm.hexagon.V6.vaddhw.acc
hexagon_V6_vaddhw_acc_128B, // llvm.hexagon.V6.vaddhw.acc.128B
hexagon_V6_vaddubh, // llvm.hexagon.V6.vaddubh
hexagon_V6_vaddubh_128B, // llvm.hexagon.V6.vaddubh.128B
hexagon_V6_vaddubh_acc, // llvm.hexagon.V6.vaddubh.acc
hexagon_V6_vaddubh_acc_128B, // llvm.hexagon.V6.vaddubh.acc.128B
hexagon_V6_vaddubsat, // llvm.hexagon.V6.vaddubsat
hexagon_V6_vaddubsat_128B, // llvm.hexagon.V6.vaddubsat.128B
hexagon_V6_vaddubsat_dv, // llvm.hexagon.V6.vaddubsat.dv
hexagon_V6_vaddubsat_dv_128B, // llvm.hexagon.V6.vaddubsat.dv.128B
hexagon_V6_vaddububb_sat, // llvm.hexagon.V6.vaddububb.sat
hexagon_V6_vaddububb_sat_128B, // llvm.hexagon.V6.vaddububb.sat.128B
hexagon_V6_vadduhsat, // llvm.hexagon.V6.vadduhsat
hexagon_V6_vadduhsat_128B, // llvm.hexagon.V6.vadduhsat.128B
hexagon_V6_vadduhsat_dv, // llvm.hexagon.V6.vadduhsat.dv
hexagon_V6_vadduhsat_dv_128B, // llvm.hexagon.V6.vadduhsat.dv.128B
hexagon_V6_vadduhw, // llvm.hexagon.V6.vadduhw
hexagon_V6_vadduhw_128B, // llvm.hexagon.V6.vadduhw.128B
hexagon_V6_vadduhw_acc, // llvm.hexagon.V6.vadduhw.acc
hexagon_V6_vadduhw_acc_128B, // llvm.hexagon.V6.vadduhw.acc.128B
hexagon_V6_vadduwsat, // llvm.hexagon.V6.vadduwsat
hexagon_V6_vadduwsat_128B, // llvm.hexagon.V6.vadduwsat.128B
hexagon_V6_vadduwsat_dv, // llvm.hexagon.V6.vadduwsat.dv
hexagon_V6_vadduwsat_dv_128B, // llvm.hexagon.V6.vadduwsat.dv.128B
hexagon_V6_vaddw, // llvm.hexagon.V6.vaddw
hexagon_V6_vaddw_128B, // llvm.hexagon.V6.vaddw.128B
hexagon_V6_vaddw_dv, // llvm.hexagon.V6.vaddw.dv
hexagon_V6_vaddw_dv_128B, // llvm.hexagon.V6.vaddw.dv.128B
hexagon_V6_vaddwnq, // llvm.hexagon.V6.vaddwnq
hexagon_V6_vaddwnq_128B, // llvm.hexagon.V6.vaddwnq.128B
hexagon_V6_vaddwq, // llvm.hexagon.V6.vaddwq
hexagon_V6_vaddwq_128B, // llvm.hexagon.V6.vaddwq.128B
hexagon_V6_vaddwsat, // llvm.hexagon.V6.vaddwsat
hexagon_V6_vaddwsat_128B, // llvm.hexagon.V6.vaddwsat.128B
hexagon_V6_vaddwsat_dv, // llvm.hexagon.V6.vaddwsat.dv
hexagon_V6_vaddwsat_dv_128B, // llvm.hexagon.V6.vaddwsat.dv.128B
hexagon_V6_valignb, // llvm.hexagon.V6.valignb
hexagon_V6_valignb_128B, // llvm.hexagon.V6.valignb.128B
hexagon_V6_valignbi, // llvm.hexagon.V6.valignbi
hexagon_V6_valignbi_128B, // llvm.hexagon.V6.valignbi.128B
hexagon_V6_vand, // llvm.hexagon.V6.vand
hexagon_V6_vand_128B, // llvm.hexagon.V6.vand.128B
hexagon_V6_vandnqrt, // llvm.hexagon.V6.vandnqrt
hexagon_V6_vandnqrt_128B, // llvm.hexagon.V6.vandnqrt.128B
hexagon_V6_vandnqrt_acc, // llvm.hexagon.V6.vandnqrt.acc
hexagon_V6_vandnqrt_acc_128B, // llvm.hexagon.V6.vandnqrt.acc.128B
hexagon_V6_vandqrt, // llvm.hexagon.V6.vandqrt
hexagon_V6_vandqrt_128B, // llvm.hexagon.V6.vandqrt.128B
hexagon_V6_vandqrt_acc, // llvm.hexagon.V6.vandqrt.acc
hexagon_V6_vandqrt_acc_128B, // llvm.hexagon.V6.vandqrt.acc.128B
hexagon_V6_vandvnqv, // llvm.hexagon.V6.vandvnqv
hexagon_V6_vandvnqv_128B, // llvm.hexagon.V6.vandvnqv.128B
hexagon_V6_vandvqv, // llvm.hexagon.V6.vandvqv
hexagon_V6_vandvqv_128B, // llvm.hexagon.V6.vandvqv.128B
hexagon_V6_vandvrt, // llvm.hexagon.V6.vandvrt
hexagon_V6_vandvrt_128B, // llvm.hexagon.V6.vandvrt.128B
hexagon_V6_vandvrt_acc, // llvm.hexagon.V6.vandvrt.acc
hexagon_V6_vandvrt_acc_128B, // llvm.hexagon.V6.vandvrt.acc.128B
hexagon_V6_vaslh, // llvm.hexagon.V6.vaslh
hexagon_V6_vaslh_128B, // llvm.hexagon.V6.vaslh.128B
hexagon_V6_vaslh_acc, // llvm.hexagon.V6.vaslh.acc
hexagon_V6_vaslh_acc_128B, // llvm.hexagon.V6.vaslh.acc.128B
hexagon_V6_vaslhv, // llvm.hexagon.V6.vaslhv
hexagon_V6_vaslhv_128B, // llvm.hexagon.V6.vaslhv.128B
hexagon_V6_vaslw, // llvm.hexagon.V6.vaslw
hexagon_V6_vaslw_128B, // llvm.hexagon.V6.vaslw.128B
hexagon_V6_vaslw_acc, // llvm.hexagon.V6.vaslw.acc
hexagon_V6_vaslw_acc_128B, // llvm.hexagon.V6.vaslw.acc.128B
hexagon_V6_vaslwv, // llvm.hexagon.V6.vaslwv
hexagon_V6_vaslwv_128B, // llvm.hexagon.V6.vaslwv.128B
hexagon_V6_vasr_into, // llvm.hexagon.V6.vasr.into
hexagon_V6_vasr_into_128B, // llvm.hexagon.V6.vasr.into.128B
hexagon_V6_vasrh, // llvm.hexagon.V6.vasrh
hexagon_V6_vasrh_128B, // llvm.hexagon.V6.vasrh.128B
hexagon_V6_vasrh_acc, // llvm.hexagon.V6.vasrh.acc
hexagon_V6_vasrh_acc_128B, // llvm.hexagon.V6.vasrh.acc.128B
hexagon_V6_vasrhbrndsat, // llvm.hexagon.V6.vasrhbrndsat
hexagon_V6_vasrhbrndsat_128B, // llvm.hexagon.V6.vasrhbrndsat.128B
hexagon_V6_vasrhbsat, // llvm.hexagon.V6.vasrhbsat
hexagon_V6_vasrhbsat_128B, // llvm.hexagon.V6.vasrhbsat.128B
hexagon_V6_vasrhubrndsat, // llvm.hexagon.V6.vasrhubrndsat
hexagon_V6_vasrhubrndsat_128B, // llvm.hexagon.V6.vasrhubrndsat.128B
hexagon_V6_vasrhubsat, // llvm.hexagon.V6.vasrhubsat
hexagon_V6_vasrhubsat_128B, // llvm.hexagon.V6.vasrhubsat.128B
hexagon_V6_vasrhv, // llvm.hexagon.V6.vasrhv
hexagon_V6_vasrhv_128B, // llvm.hexagon.V6.vasrhv.128B
hexagon_V6_vasruhubrndsat, // llvm.hexagon.V6.vasruhubrndsat
hexagon_V6_vasruhubrndsat_128B, // llvm.hexagon.V6.vasruhubrndsat.128B
hexagon_V6_vasruhubsat, // llvm.hexagon.V6.vasruhubsat
hexagon_V6_vasruhubsat_128B, // llvm.hexagon.V6.vasruhubsat.128B
hexagon_V6_vasruwuhrndsat, // llvm.hexagon.V6.vasruwuhrndsat
hexagon_V6_vasruwuhrndsat_128B, // llvm.hexagon.V6.vasruwuhrndsat.128B
hexagon_V6_vasruwuhsat, // llvm.hexagon.V6.vasruwuhsat
hexagon_V6_vasruwuhsat_128B, // llvm.hexagon.V6.vasruwuhsat.128B
hexagon_V6_vasrw, // llvm.hexagon.V6.vasrw
hexagon_V6_vasrw_128B, // llvm.hexagon.V6.vasrw.128B
hexagon_V6_vasrw_acc, // llvm.hexagon.V6.vasrw.acc
hexagon_V6_vasrw_acc_128B, // llvm.hexagon.V6.vasrw.acc.128B
hexagon_V6_vasrwh, // llvm.hexagon.V6.vasrwh
hexagon_V6_vasrwh_128B, // llvm.hexagon.V6.vasrwh.128B
hexagon_V6_vasrwhrndsat, // llvm.hexagon.V6.vasrwhrndsat
hexagon_V6_vasrwhrndsat_128B, // llvm.hexagon.V6.vasrwhrndsat.128B
hexagon_V6_vasrwhsat, // llvm.hexagon.V6.vasrwhsat
hexagon_V6_vasrwhsat_128B, // llvm.hexagon.V6.vasrwhsat.128B
hexagon_V6_vasrwuhrndsat, // llvm.hexagon.V6.vasrwuhrndsat
hexagon_V6_vasrwuhrndsat_128B, // llvm.hexagon.V6.vasrwuhrndsat.128B
hexagon_V6_vasrwuhsat, // llvm.hexagon.V6.vasrwuhsat
hexagon_V6_vasrwuhsat_128B, // llvm.hexagon.V6.vasrwuhsat.128B
hexagon_V6_vasrwv, // llvm.hexagon.V6.vasrwv
hexagon_V6_vasrwv_128B, // llvm.hexagon.V6.vasrwv.128B
hexagon_V6_vassign, // llvm.hexagon.V6.vassign
hexagon_V6_vassign_128B, // llvm.hexagon.V6.vassign.128B
hexagon_V6_vassignp, // llvm.hexagon.V6.vassignp
hexagon_V6_vassignp_128B, // llvm.hexagon.V6.vassignp.128B
hexagon_V6_vavgb, // llvm.hexagon.V6.vavgb
hexagon_V6_vavgb_128B, // llvm.hexagon.V6.vavgb.128B
hexagon_V6_vavgbrnd, // llvm.hexagon.V6.vavgbrnd
hexagon_V6_vavgbrnd_128B, // llvm.hexagon.V6.vavgbrnd.128B
hexagon_V6_vavgh, // llvm.hexagon.V6.vavgh
hexagon_V6_vavgh_128B, // llvm.hexagon.V6.vavgh.128B
hexagon_V6_vavghrnd, // llvm.hexagon.V6.vavghrnd
hexagon_V6_vavghrnd_128B, // llvm.hexagon.V6.vavghrnd.128B
hexagon_V6_vavgub, // llvm.hexagon.V6.vavgub
hexagon_V6_vavgub_128B, // llvm.hexagon.V6.vavgub.128B
hexagon_V6_vavgubrnd, // llvm.hexagon.V6.vavgubrnd
hexagon_V6_vavgubrnd_128B, // llvm.hexagon.V6.vavgubrnd.128B
hexagon_V6_vavguh, // llvm.hexagon.V6.vavguh
hexagon_V6_vavguh_128B, // llvm.hexagon.V6.vavguh.128B
hexagon_V6_vavguhrnd, // llvm.hexagon.V6.vavguhrnd
hexagon_V6_vavguhrnd_128B, // llvm.hexagon.V6.vavguhrnd.128B
hexagon_V6_vavguw, // llvm.hexagon.V6.vavguw
hexagon_V6_vavguw_128B, // llvm.hexagon.V6.vavguw.128B
hexagon_V6_vavguwrnd, // llvm.hexagon.V6.vavguwrnd
hexagon_V6_vavguwrnd_128B, // llvm.hexagon.V6.vavguwrnd.128B
hexagon_V6_vavgw, // llvm.hexagon.V6.vavgw
hexagon_V6_vavgw_128B, // llvm.hexagon.V6.vavgw.128B
hexagon_V6_vavgwrnd, // llvm.hexagon.V6.vavgwrnd
hexagon_V6_vavgwrnd_128B, // llvm.hexagon.V6.vavgwrnd.128B
hexagon_V6_vcl0h, // llvm.hexagon.V6.vcl0h
hexagon_V6_vcl0h_128B, // llvm.hexagon.V6.vcl0h.128B
hexagon_V6_vcl0w, // llvm.hexagon.V6.vcl0w
hexagon_V6_vcl0w_128B, // llvm.hexagon.V6.vcl0w.128B
hexagon_V6_vcombine, // llvm.hexagon.V6.vcombine
hexagon_V6_vcombine_128B, // llvm.hexagon.V6.vcombine.128B
hexagon_V6_vd0, // llvm.hexagon.V6.vd0
hexagon_V6_vd0_128B, // llvm.hexagon.V6.vd0.128B
hexagon_V6_vdd0, // llvm.hexagon.V6.vdd0
hexagon_V6_vdd0_128B, // llvm.hexagon.V6.vdd0.128B
hexagon_V6_vdealb, // llvm.hexagon.V6.vdealb
hexagon_V6_vdealb_128B, // llvm.hexagon.V6.vdealb.128B
hexagon_V6_vdealb4w, // llvm.hexagon.V6.vdealb4w
hexagon_V6_vdealb4w_128B, // llvm.hexagon.V6.vdealb4w.128B
hexagon_V6_vdealh, // llvm.hexagon.V6.vdealh
hexagon_V6_vdealh_128B, // llvm.hexagon.V6.vdealh.128B
hexagon_V6_vdealvdd, // llvm.hexagon.V6.vdealvdd
hexagon_V6_vdealvdd_128B, // llvm.hexagon.V6.vdealvdd.128B
hexagon_V6_vdelta, // llvm.hexagon.V6.vdelta
hexagon_V6_vdelta_128B, // llvm.hexagon.V6.vdelta.128B
hexagon_V6_vdmpybus, // llvm.hexagon.V6.vdmpybus
hexagon_V6_vdmpybus_128B, // llvm.hexagon.V6.vdmpybus.128B
hexagon_V6_vdmpybus_acc, // llvm.hexagon.V6.vdmpybus.acc
hexagon_V6_vdmpybus_acc_128B, // llvm.hexagon.V6.vdmpybus.acc.128B
hexagon_V6_vdmpybus_dv, // llvm.hexagon.V6.vdmpybus.dv
hexagon_V6_vdmpybus_dv_128B, // llvm.hexagon.V6.vdmpybus.dv.128B
hexagon_V6_vdmpybus_dv_acc, // llvm.hexagon.V6.vdmpybus.dv.acc
hexagon_V6_vdmpybus_dv_acc_128B, // llvm.hexagon.V6.vdmpybus.dv.acc.128B
hexagon_V6_vdmpyhb, // llvm.hexagon.V6.vdmpyhb
hexagon_V6_vdmpyhb_128B, // llvm.hexagon.V6.vdmpyhb.128B
hexagon_V6_vdmpyhb_acc, // llvm.hexagon.V6.vdmpyhb.acc
hexagon_V6_vdmpyhb_acc_128B, // llvm.hexagon.V6.vdmpyhb.acc.128B
hexagon_V6_vdmpyhb_dv, // llvm.hexagon.V6.vdmpyhb.dv
hexagon_V6_vdmpyhb_dv_128B, // llvm.hexagon.V6.vdmpyhb.dv.128B
hexagon_V6_vdmpyhb_dv_acc, // llvm.hexagon.V6.vdmpyhb.dv.acc
hexagon_V6_vdmpyhb_dv_acc_128B, // llvm.hexagon.V6.vdmpyhb.dv.acc.128B
hexagon_V6_vdmpyhisat, // llvm.hexagon.V6.vdmpyhisat
hexagon_V6_vdmpyhisat_128B, // llvm.hexagon.V6.vdmpyhisat.128B
hexagon_V6_vdmpyhisat_acc, // llvm.hexagon.V6.vdmpyhisat.acc
hexagon_V6_vdmpyhisat_acc_128B, // llvm.hexagon.V6.vdmpyhisat.acc.128B
hexagon_V6_vdmpyhsat, // llvm.hexagon.V6.vdmpyhsat
hexagon_V6_vdmpyhsat_128B, // llvm.hexagon.V6.vdmpyhsat.128B
hexagon_V6_vdmpyhsat_acc, // llvm.hexagon.V6.vdmpyhsat.acc
hexagon_V6_vdmpyhsat_acc_128B, // llvm.hexagon.V6.vdmpyhsat.acc.128B
hexagon_V6_vdmpyhsuisat, // llvm.hexagon.V6.vdmpyhsuisat
hexagon_V6_vdmpyhsuisat_128B, // llvm.hexagon.V6.vdmpyhsuisat.128B
hexagon_V6_vdmpyhsuisat_acc, // llvm.hexagon.V6.vdmpyhsuisat.acc
hexagon_V6_vdmpyhsuisat_acc_128B, // llvm.hexagon.V6.vdmpyhsuisat.acc.128B
hexagon_V6_vdmpyhsusat, // llvm.hexagon.V6.vdmpyhsusat
hexagon_V6_vdmpyhsusat_128B, // llvm.hexagon.V6.vdmpyhsusat.128B
hexagon_V6_vdmpyhsusat_acc, // llvm.hexagon.V6.vdmpyhsusat.acc
hexagon_V6_vdmpyhsusat_acc_128B, // llvm.hexagon.V6.vdmpyhsusat.acc.128B
hexagon_V6_vdmpyhvsat, // llvm.hexagon.V6.vdmpyhvsat
hexagon_V6_vdmpyhvsat_128B, // llvm.hexagon.V6.vdmpyhvsat.128B
hexagon_V6_vdmpyhvsat_acc, // llvm.hexagon.V6.vdmpyhvsat.acc
hexagon_V6_vdmpyhvsat_acc_128B, // llvm.hexagon.V6.vdmpyhvsat.acc.128B
hexagon_V6_vdsaduh, // llvm.hexagon.V6.vdsaduh
hexagon_V6_vdsaduh_128B, // llvm.hexagon.V6.vdsaduh.128B
hexagon_V6_vdsaduh_acc, // llvm.hexagon.V6.vdsaduh.acc
hexagon_V6_vdsaduh_acc_128B, // llvm.hexagon.V6.vdsaduh.acc.128B
hexagon_V6_veqb, // llvm.hexagon.V6.veqb
hexagon_V6_veqb_128B, // llvm.hexagon.V6.veqb.128B
hexagon_V6_veqb_and, // llvm.hexagon.V6.veqb.and
hexagon_V6_veqb_and_128B, // llvm.hexagon.V6.veqb.and.128B
hexagon_V6_veqb_or, // llvm.hexagon.V6.veqb.or
hexagon_V6_veqb_or_128B, // llvm.hexagon.V6.veqb.or.128B
hexagon_V6_veqb_xor, // llvm.hexagon.V6.veqb.xor
hexagon_V6_veqb_xor_128B, // llvm.hexagon.V6.veqb.xor.128B
hexagon_V6_veqh, // llvm.hexagon.V6.veqh
hexagon_V6_veqh_128B, // llvm.hexagon.V6.veqh.128B
hexagon_V6_veqh_and, // llvm.hexagon.V6.veqh.and
hexagon_V6_veqh_and_128B, // llvm.hexagon.V6.veqh.and.128B
hexagon_V6_veqh_or, // llvm.hexagon.V6.veqh.or
hexagon_V6_veqh_or_128B, // llvm.hexagon.V6.veqh.or.128B
hexagon_V6_veqh_xor, // llvm.hexagon.V6.veqh.xor
hexagon_V6_veqh_xor_128B, // llvm.hexagon.V6.veqh.xor.128B
hexagon_V6_veqw, // llvm.hexagon.V6.veqw
hexagon_V6_veqw_128B, // llvm.hexagon.V6.veqw.128B
hexagon_V6_veqw_and, // llvm.hexagon.V6.veqw.and
hexagon_V6_veqw_and_128B, // llvm.hexagon.V6.veqw.and.128B
hexagon_V6_veqw_or, // llvm.hexagon.V6.veqw.or
hexagon_V6_veqw_or_128B, // llvm.hexagon.V6.veqw.or.128B
hexagon_V6_veqw_xor, // llvm.hexagon.V6.veqw.xor
hexagon_V6_veqw_xor_128B, // llvm.hexagon.V6.veqw.xor.128B
hexagon_V6_vgathermh, // llvm.hexagon.V6.vgathermh
hexagon_V6_vgathermh_128B, // llvm.hexagon.V6.vgathermh.128B
hexagon_V6_vgathermhq, // llvm.hexagon.V6.vgathermhq
hexagon_V6_vgathermhq_128B, // llvm.hexagon.V6.vgathermhq.128B
hexagon_V6_vgathermhw, // llvm.hexagon.V6.vgathermhw
hexagon_V6_vgathermhw_128B, // llvm.hexagon.V6.vgathermhw.128B
hexagon_V6_vgathermhwq, // llvm.hexagon.V6.vgathermhwq
hexagon_V6_vgathermhwq_128B, // llvm.hexagon.V6.vgathermhwq.128B
hexagon_V6_vgathermw, // llvm.hexagon.V6.vgathermw
hexagon_V6_vgathermw_128B, // llvm.hexagon.V6.vgathermw.128B
hexagon_V6_vgathermwq, // llvm.hexagon.V6.vgathermwq
hexagon_V6_vgathermwq_128B, // llvm.hexagon.V6.vgathermwq.128B
hexagon_V6_vgtb, // llvm.hexagon.V6.vgtb
hexagon_V6_vgtb_128B, // llvm.hexagon.V6.vgtb.128B
hexagon_V6_vgtb_and, // llvm.hexagon.V6.vgtb.and
hexagon_V6_vgtb_and_128B, // llvm.hexagon.V6.vgtb.and.128B
hexagon_V6_vgtb_or, // llvm.hexagon.V6.vgtb.or
hexagon_V6_vgtb_or_128B, // llvm.hexagon.V6.vgtb.or.128B
hexagon_V6_vgtb_xor, // llvm.hexagon.V6.vgtb.xor
hexagon_V6_vgtb_xor_128B, // llvm.hexagon.V6.vgtb.xor.128B
hexagon_V6_vgth, // llvm.hexagon.V6.vgth
hexagon_V6_vgth_128B, // llvm.hexagon.V6.vgth.128B
hexagon_V6_vgth_and, // llvm.hexagon.V6.vgth.and
hexagon_V6_vgth_and_128B, // llvm.hexagon.V6.vgth.and.128B
hexagon_V6_vgth_or, // llvm.hexagon.V6.vgth.or
hexagon_V6_vgth_or_128B, // llvm.hexagon.V6.vgth.or.128B
hexagon_V6_vgth_xor, // llvm.hexagon.V6.vgth.xor
hexagon_V6_vgth_xor_128B, // llvm.hexagon.V6.vgth.xor.128B
hexagon_V6_vgtub, // llvm.hexagon.V6.vgtub
hexagon_V6_vgtub_128B, // llvm.hexagon.V6.vgtub.128B
hexagon_V6_vgtub_and, // llvm.hexagon.V6.vgtub.and
hexagon_V6_vgtub_and_128B, // llvm.hexagon.V6.vgtub.and.128B
hexagon_V6_vgtub_or, // llvm.hexagon.V6.vgtub.or
hexagon_V6_vgtub_or_128B, // llvm.hexagon.V6.vgtub.or.128B
hexagon_V6_vgtub_xor, // llvm.hexagon.V6.vgtub.xor
hexagon_V6_vgtub_xor_128B, // llvm.hexagon.V6.vgtub.xor.128B
hexagon_V6_vgtuh, // llvm.hexagon.V6.vgtuh
hexagon_V6_vgtuh_128B, // llvm.hexagon.V6.vgtuh.128B
hexagon_V6_vgtuh_and, // llvm.hexagon.V6.vgtuh.and
hexagon_V6_vgtuh_and_128B, // llvm.hexagon.V6.vgtuh.and.128B
hexagon_V6_vgtuh_or, // llvm.hexagon.V6.vgtuh.or
hexagon_V6_vgtuh_or_128B, // llvm.hexagon.V6.vgtuh.or.128B
hexagon_V6_vgtuh_xor, // llvm.hexagon.V6.vgtuh.xor
hexagon_V6_vgtuh_xor_128B, // llvm.hexagon.V6.vgtuh.xor.128B
hexagon_V6_vgtuw, // llvm.hexagon.V6.vgtuw
hexagon_V6_vgtuw_128B, // llvm.hexagon.V6.vgtuw.128B
hexagon_V6_vgtuw_and, // llvm.hexagon.V6.vgtuw.and
hexagon_V6_vgtuw_and_128B, // llvm.hexagon.V6.vgtuw.and.128B
hexagon_V6_vgtuw_or, // llvm.hexagon.V6.vgtuw.or
hexagon_V6_vgtuw_or_128B, // llvm.hexagon.V6.vgtuw.or.128B
hexagon_V6_vgtuw_xor, // llvm.hexagon.V6.vgtuw.xor
hexagon_V6_vgtuw_xor_128B, // llvm.hexagon.V6.vgtuw.xor.128B
hexagon_V6_vgtw, // llvm.hexagon.V6.vgtw
hexagon_V6_vgtw_128B, // llvm.hexagon.V6.vgtw.128B
hexagon_V6_vgtw_and, // llvm.hexagon.V6.vgtw.and
hexagon_V6_vgtw_and_128B, // llvm.hexagon.V6.vgtw.and.128B
hexagon_V6_vgtw_or, // llvm.hexagon.V6.vgtw.or
hexagon_V6_vgtw_or_128B, // llvm.hexagon.V6.vgtw.or.128B
hexagon_V6_vgtw_xor, // llvm.hexagon.V6.vgtw.xor
hexagon_V6_vgtw_xor_128B, // llvm.hexagon.V6.vgtw.xor.128B
hexagon_V6_vinsertwr, // llvm.hexagon.V6.vinsertwr
hexagon_V6_vinsertwr_128B, // llvm.hexagon.V6.vinsertwr.128B
hexagon_V6_vlalignb, // llvm.hexagon.V6.vlalignb
hexagon_V6_vlalignb_128B, // llvm.hexagon.V6.vlalignb.128B
hexagon_V6_vlalignbi, // llvm.hexagon.V6.vlalignbi
hexagon_V6_vlalignbi_128B, // llvm.hexagon.V6.vlalignbi.128B
hexagon_V6_vlsrb, // llvm.hexagon.V6.vlsrb
hexagon_V6_vlsrb_128B, // llvm.hexagon.V6.vlsrb.128B
hexagon_V6_vlsrh, // llvm.hexagon.V6.vlsrh
hexagon_V6_vlsrh_128B, // llvm.hexagon.V6.vlsrh.128B
hexagon_V6_vlsrhv, // llvm.hexagon.V6.vlsrhv
hexagon_V6_vlsrhv_128B, // llvm.hexagon.V6.vlsrhv.128B
hexagon_V6_vlsrw, // llvm.hexagon.V6.vlsrw
hexagon_V6_vlsrw_128B, // llvm.hexagon.V6.vlsrw.128B
hexagon_V6_vlsrwv, // llvm.hexagon.V6.vlsrwv
hexagon_V6_vlsrwv_128B, // llvm.hexagon.V6.vlsrwv.128B
hexagon_V6_vlut4, // llvm.hexagon.V6.vlut4
hexagon_V6_vlut4_128B, // llvm.hexagon.V6.vlut4.128B
hexagon_V6_vlutvvb, // llvm.hexagon.V6.vlutvvb
hexagon_V6_vlutvvb_128B, // llvm.hexagon.V6.vlutvvb.128B
hexagon_V6_vlutvvb_nm, // llvm.hexagon.V6.vlutvvb.nm
hexagon_V6_vlutvvb_nm_128B, // llvm.hexagon.V6.vlutvvb.nm.128B
hexagon_V6_vlutvvb_oracc, // llvm.hexagon.V6.vlutvvb.oracc
hexagon_V6_vlutvvb_oracc_128B, // llvm.hexagon.V6.vlutvvb.oracc.128B
hexagon_V6_vlutvvb_oracci, // llvm.hexagon.V6.vlutvvb.oracci
hexagon_V6_vlutvvb_oracci_128B, // llvm.hexagon.V6.vlutvvb.oracci.128B
hexagon_V6_vlutvvbi, // llvm.hexagon.V6.vlutvvbi
hexagon_V6_vlutvvbi_128B, // llvm.hexagon.V6.vlutvvbi.128B
hexagon_V6_vlutvwh, // llvm.hexagon.V6.vlutvwh
hexagon_V6_vlutvwh_128B, // llvm.hexagon.V6.vlutvwh.128B
hexagon_V6_vlutvwh_nm, // llvm.hexagon.V6.vlutvwh.nm
hexagon_V6_vlutvwh_nm_128B, // llvm.hexagon.V6.vlutvwh.nm.128B
hexagon_V6_vlutvwh_oracc, // llvm.hexagon.V6.vlutvwh.oracc
hexagon_V6_vlutvwh_oracc_128B, // llvm.hexagon.V6.vlutvwh.oracc.128B
hexagon_V6_vlutvwh_oracci, // llvm.hexagon.V6.vlutvwh.oracci
hexagon_V6_vlutvwh_oracci_128B, // llvm.hexagon.V6.vlutvwh.oracci.128B
hexagon_V6_vlutvwhi, // llvm.hexagon.V6.vlutvwhi
hexagon_V6_vlutvwhi_128B, // llvm.hexagon.V6.vlutvwhi.128B
hexagon_V6_vmaskedstorenq, // llvm.hexagon.V6.vmaskedstorenq
hexagon_V6_vmaskedstorenq_128B, // llvm.hexagon.V6.vmaskedstorenq.128B
hexagon_V6_vmaskedstorentnq, // llvm.hexagon.V6.vmaskedstorentnq
hexagon_V6_vmaskedstorentnq_128B, // llvm.hexagon.V6.vmaskedstorentnq.128B
hexagon_V6_vmaskedstorentq, // llvm.hexagon.V6.vmaskedstorentq
hexagon_V6_vmaskedstorentq_128B, // llvm.hexagon.V6.vmaskedstorentq.128B
hexagon_V6_vmaskedstoreq, // llvm.hexagon.V6.vmaskedstoreq
hexagon_V6_vmaskedstoreq_128B, // llvm.hexagon.V6.vmaskedstoreq.128B
hexagon_V6_vmaxb, // llvm.hexagon.V6.vmaxb
hexagon_V6_vmaxb_128B, // llvm.hexagon.V6.vmaxb.128B
hexagon_V6_vmaxh, // llvm.hexagon.V6.vmaxh
hexagon_V6_vmaxh_128B, // llvm.hexagon.V6.vmaxh.128B
hexagon_V6_vmaxub, // llvm.hexagon.V6.vmaxub
hexagon_V6_vmaxub_128B, // llvm.hexagon.V6.vmaxub.128B
hexagon_V6_vmaxuh, // llvm.hexagon.V6.vmaxuh
hexagon_V6_vmaxuh_128B, // llvm.hexagon.V6.vmaxuh.128B
hexagon_V6_vmaxw, // llvm.hexagon.V6.vmaxw
hexagon_V6_vmaxw_128B, // llvm.hexagon.V6.vmaxw.128B
hexagon_V6_vminb, // llvm.hexagon.V6.vminb
hexagon_V6_vminb_128B, // llvm.hexagon.V6.vminb.128B
hexagon_V6_vminh, // llvm.hexagon.V6.vminh
hexagon_V6_vminh_128B, // llvm.hexagon.V6.vminh.128B
hexagon_V6_vminub, // llvm.hexagon.V6.vminub
hexagon_V6_vminub_128B, // llvm.hexagon.V6.vminub.128B
hexagon_V6_vminuh, // llvm.hexagon.V6.vminuh
hexagon_V6_vminuh_128B, // llvm.hexagon.V6.vminuh.128B
hexagon_V6_vminw, // llvm.hexagon.V6.vminw
hexagon_V6_vminw_128B, // llvm.hexagon.V6.vminw.128B
hexagon_V6_vmpabus, // llvm.hexagon.V6.vmpabus
hexagon_V6_vmpabus_128B, // llvm.hexagon.V6.vmpabus.128B
hexagon_V6_vmpabus_acc, // llvm.hexagon.V6.vmpabus.acc
hexagon_V6_vmpabus_acc_128B, // llvm.hexagon.V6.vmpabus.acc.128B
hexagon_V6_vmpabusv, // llvm.hexagon.V6.vmpabusv
hexagon_V6_vmpabusv_128B, // llvm.hexagon.V6.vmpabusv.128B
hexagon_V6_vmpabuu, // llvm.hexagon.V6.vmpabuu
hexagon_V6_vmpabuu_128B, // llvm.hexagon.V6.vmpabuu.128B
hexagon_V6_vmpabuu_acc, // llvm.hexagon.V6.vmpabuu.acc
hexagon_V6_vmpabuu_acc_128B, // llvm.hexagon.V6.vmpabuu.acc.128B
hexagon_V6_vmpabuuv, // llvm.hexagon.V6.vmpabuuv
hexagon_V6_vmpabuuv_128B, // llvm.hexagon.V6.vmpabuuv.128B
hexagon_V6_vmpahb, // llvm.hexagon.V6.vmpahb
hexagon_V6_vmpahb_128B, // llvm.hexagon.V6.vmpahb.128B
hexagon_V6_vmpahb_acc, // llvm.hexagon.V6.vmpahb.acc
hexagon_V6_vmpahb_acc_128B, // llvm.hexagon.V6.vmpahb.acc.128B
hexagon_V6_vmpahhsat, // llvm.hexagon.V6.vmpahhsat
hexagon_V6_vmpahhsat_128B, // llvm.hexagon.V6.vmpahhsat.128B
hexagon_V6_vmpauhb, // llvm.hexagon.V6.vmpauhb
hexagon_V6_vmpauhb_128B, // llvm.hexagon.V6.vmpauhb.128B
hexagon_V6_vmpauhb_acc, // llvm.hexagon.V6.vmpauhb.acc
hexagon_V6_vmpauhb_acc_128B, // llvm.hexagon.V6.vmpauhb.acc.128B
hexagon_V6_vmpauhuhsat, // llvm.hexagon.V6.vmpauhuhsat
hexagon_V6_vmpauhuhsat_128B, // llvm.hexagon.V6.vmpauhuhsat.128B
hexagon_V6_vmpsuhuhsat, // llvm.hexagon.V6.vmpsuhuhsat
hexagon_V6_vmpsuhuhsat_128B, // llvm.hexagon.V6.vmpsuhuhsat.128B
hexagon_V6_vmpybus, // llvm.hexagon.V6.vmpybus
hexagon_V6_vmpybus_128B, // llvm.hexagon.V6.vmpybus.128B
hexagon_V6_vmpybus_acc, // llvm.hexagon.V6.vmpybus.acc
hexagon_V6_vmpybus_acc_128B, // llvm.hexagon.V6.vmpybus.acc.128B
hexagon_V6_vmpybusv, // llvm.hexagon.V6.vmpybusv
hexagon_V6_vmpybusv_128B, // llvm.hexagon.V6.vmpybusv.128B
hexagon_V6_vmpybusv_acc, // llvm.hexagon.V6.vmpybusv.acc
hexagon_V6_vmpybusv_acc_128B, // llvm.hexagon.V6.vmpybusv.acc.128B
hexagon_V6_vmpybv, // llvm.hexagon.V6.vmpybv
hexagon_V6_vmpybv_128B, // llvm.hexagon.V6.vmpybv.128B
hexagon_V6_vmpybv_acc, // llvm.hexagon.V6.vmpybv.acc
hexagon_V6_vmpybv_acc_128B, // llvm.hexagon.V6.vmpybv.acc.128B
hexagon_V6_vmpyewuh, // llvm.hexagon.V6.vmpyewuh
hexagon_V6_vmpyewuh_128B, // llvm.hexagon.V6.vmpyewuh.128B
hexagon_V6_vmpyewuh_64, // llvm.hexagon.V6.vmpyewuh.64
hexagon_V6_vmpyewuh_64_128B, // llvm.hexagon.V6.vmpyewuh.64.128B
hexagon_V6_vmpyh, // llvm.hexagon.V6.vmpyh
hexagon_V6_vmpyh_128B, // llvm.hexagon.V6.vmpyh.128B
hexagon_V6_vmpyh_acc, // llvm.hexagon.V6.vmpyh.acc
hexagon_V6_vmpyh_acc_128B, // llvm.hexagon.V6.vmpyh.acc.128B
hexagon_V6_vmpyhsat_acc, // llvm.hexagon.V6.vmpyhsat.acc
hexagon_V6_vmpyhsat_acc_128B, // llvm.hexagon.V6.vmpyhsat.acc.128B
hexagon_V6_vmpyhsrs, // llvm.hexagon.V6.vmpyhsrs
hexagon_V6_vmpyhsrs_128B, // llvm.hexagon.V6.vmpyhsrs.128B
hexagon_V6_vmpyhss, // llvm.hexagon.V6.vmpyhss
hexagon_V6_vmpyhss_128B, // llvm.hexagon.V6.vmpyhss.128B
hexagon_V6_vmpyhus, // llvm.hexagon.V6.vmpyhus
hexagon_V6_vmpyhus_128B, // llvm.hexagon.V6.vmpyhus.128B
hexagon_V6_vmpyhus_acc, // llvm.hexagon.V6.vmpyhus.acc
hexagon_V6_vmpyhus_acc_128B, // llvm.hexagon.V6.vmpyhus.acc.128B
hexagon_V6_vmpyhv, // llvm.hexagon.V6.vmpyhv
hexagon_V6_vmpyhv_128B, // llvm.hexagon.V6.vmpyhv.128B
hexagon_V6_vmpyhv_acc, // llvm.hexagon.V6.vmpyhv.acc
hexagon_V6_vmpyhv_acc_128B, // llvm.hexagon.V6.vmpyhv.acc.128B
hexagon_V6_vmpyhvsrs, // llvm.hexagon.V6.vmpyhvsrs
hexagon_V6_vmpyhvsrs_128B, // llvm.hexagon.V6.vmpyhvsrs.128B
hexagon_V6_vmpyieoh, // llvm.hexagon.V6.vmpyieoh
hexagon_V6_vmpyieoh_128B, // llvm.hexagon.V6.vmpyieoh.128B
hexagon_V6_vmpyiewh_acc, // llvm.hexagon.V6.vmpyiewh.acc
hexagon_V6_vmpyiewh_acc_128B, // llvm.hexagon.V6.vmpyiewh.acc.128B
hexagon_V6_vmpyiewuh, // llvm.hexagon.V6.vmpyiewuh
hexagon_V6_vmpyiewuh_128B, // llvm.hexagon.V6.vmpyiewuh.128B
hexagon_V6_vmpyiewuh_acc, // llvm.hexagon.V6.vmpyiewuh.acc
hexagon_V6_vmpyiewuh_acc_128B, // llvm.hexagon.V6.vmpyiewuh.acc.128B
hexagon_V6_vmpyih, // llvm.hexagon.V6.vmpyih
hexagon_V6_vmpyih_128B, // llvm.hexagon.V6.vmpyih.128B
hexagon_V6_vmpyih_acc, // llvm.hexagon.V6.vmpyih.acc
hexagon_V6_vmpyih_acc_128B, // llvm.hexagon.V6.vmpyih.acc.128B
hexagon_V6_vmpyihb, // llvm.hexagon.V6.vmpyihb
hexagon_V6_vmpyihb_128B, // llvm.hexagon.V6.vmpyihb.128B
hexagon_V6_vmpyihb_acc, // llvm.hexagon.V6.vmpyihb.acc
hexagon_V6_vmpyihb_acc_128B, // llvm.hexagon.V6.vmpyihb.acc.128B
hexagon_V6_vmpyiowh, // llvm.hexagon.V6.vmpyiowh
hexagon_V6_vmpyiowh_128B, // llvm.hexagon.V6.vmpyiowh.128B
hexagon_V6_vmpyiwb, // llvm.hexagon.V6.vmpyiwb
hexagon_V6_vmpyiwb_128B, // llvm.hexagon.V6.vmpyiwb.128B
hexagon_V6_vmpyiwb_acc, // llvm.hexagon.V6.vmpyiwb.acc
hexagon_V6_vmpyiwb_acc_128B, // llvm.hexagon.V6.vmpyiwb.acc.128B
hexagon_V6_vmpyiwh, // llvm.hexagon.V6.vmpyiwh
hexagon_V6_vmpyiwh_128B, // llvm.hexagon.V6.vmpyiwh.128B
hexagon_V6_vmpyiwh_acc, // llvm.hexagon.V6.vmpyiwh.acc
hexagon_V6_vmpyiwh_acc_128B, // llvm.hexagon.V6.vmpyiwh.acc.128B
hexagon_V6_vmpyiwub, // llvm.hexagon.V6.vmpyiwub
hexagon_V6_vmpyiwub_128B, // llvm.hexagon.V6.vmpyiwub.128B
hexagon_V6_vmpyiwub_acc, // llvm.hexagon.V6.vmpyiwub.acc
hexagon_V6_vmpyiwub_acc_128B, // llvm.hexagon.V6.vmpyiwub.acc.128B
hexagon_V6_vmpyowh, // llvm.hexagon.V6.vmpyowh
hexagon_V6_vmpyowh_128B, // llvm.hexagon.V6.vmpyowh.128B
hexagon_V6_vmpyowh_64_acc, // llvm.hexagon.V6.vmpyowh.64.acc
hexagon_V6_vmpyowh_64_acc_128B, // llvm.hexagon.V6.vmpyowh.64.acc.128B
hexagon_V6_vmpyowh_rnd, // llvm.hexagon.V6.vmpyowh.rnd
hexagon_V6_vmpyowh_rnd_128B, // llvm.hexagon.V6.vmpyowh.rnd.128B
hexagon_V6_vmpyowh_rnd_sacc, // llvm.hexagon.V6.vmpyowh.rnd.sacc
hexagon_V6_vmpyowh_rnd_sacc_128B, // llvm.hexagon.V6.vmpyowh.rnd.sacc.128B
hexagon_V6_vmpyowh_sacc, // llvm.hexagon.V6.vmpyowh.sacc
hexagon_V6_vmpyowh_sacc_128B, // llvm.hexagon.V6.vmpyowh.sacc.128B
hexagon_V6_vmpyub, // llvm.hexagon.V6.vmpyub
hexagon_V6_vmpyub_128B, // llvm.hexagon.V6.vmpyub.128B
hexagon_V6_vmpyub_acc, // llvm.hexagon.V6.vmpyub.acc
hexagon_V6_vmpyub_acc_128B, // llvm.hexagon.V6.vmpyub.acc.128B
hexagon_V6_vmpyubv, // llvm.hexagon.V6.vmpyubv
hexagon_V6_vmpyubv_128B, // llvm.hexagon.V6.vmpyubv.128B
hexagon_V6_vmpyubv_acc, // llvm.hexagon.V6.vmpyubv.acc
hexagon_V6_vmpyubv_acc_128B, // llvm.hexagon.V6.vmpyubv.acc.128B
hexagon_V6_vmpyuh, // llvm.hexagon.V6.vmpyuh
hexagon_V6_vmpyuh_128B, // llvm.hexagon.V6.vmpyuh.128B
hexagon_V6_vmpyuh_acc, // llvm.hexagon.V6.vmpyuh.acc
hexagon_V6_vmpyuh_acc_128B, // llvm.hexagon.V6.vmpyuh.acc.128B
hexagon_V6_vmpyuhe, // llvm.hexagon.V6.vmpyuhe
hexagon_V6_vmpyuhe_128B, // llvm.hexagon.V6.vmpyuhe.128B
hexagon_V6_vmpyuhe_acc, // llvm.hexagon.V6.vmpyuhe.acc
hexagon_V6_vmpyuhe_acc_128B, // llvm.hexagon.V6.vmpyuhe.acc.128B
hexagon_V6_vmpyuhv, // llvm.hexagon.V6.vmpyuhv
hexagon_V6_vmpyuhv_128B, // llvm.hexagon.V6.vmpyuhv.128B
hexagon_V6_vmpyuhv_acc, // llvm.hexagon.V6.vmpyuhv.acc
hexagon_V6_vmpyuhv_acc_128B, // llvm.hexagon.V6.vmpyuhv.acc.128B
hexagon_V6_vmux, // llvm.hexagon.V6.vmux
hexagon_V6_vmux_128B, // llvm.hexagon.V6.vmux.128B
hexagon_V6_vnavgb, // llvm.hexagon.V6.vnavgb
hexagon_V6_vnavgb_128B, // llvm.hexagon.V6.vnavgb.128B
hexagon_V6_vnavgh, // llvm.hexagon.V6.vnavgh
hexagon_V6_vnavgh_128B, // llvm.hexagon.V6.vnavgh.128B
hexagon_V6_vnavgub, // llvm.hexagon.V6.vnavgub
hexagon_V6_vnavgub_128B, // llvm.hexagon.V6.vnavgub.128B
hexagon_V6_vnavgw, // llvm.hexagon.V6.vnavgw
hexagon_V6_vnavgw_128B, // llvm.hexagon.V6.vnavgw.128B
hexagon_V6_vnormamth, // llvm.hexagon.V6.vnormamth
hexagon_V6_vnormamth_128B, // llvm.hexagon.V6.vnormamth.128B
hexagon_V6_vnormamtw, // llvm.hexagon.V6.vnormamtw
hexagon_V6_vnormamtw_128B, // llvm.hexagon.V6.vnormamtw.128B
hexagon_V6_vnot, // llvm.hexagon.V6.vnot
hexagon_V6_vnot_128B, // llvm.hexagon.V6.vnot.128B
hexagon_V6_vor, // llvm.hexagon.V6.vor
hexagon_V6_vor_128B, // llvm.hexagon.V6.vor.128B
hexagon_V6_vpackeb, // llvm.hexagon.V6.vpackeb
hexagon_V6_vpackeb_128B, // llvm.hexagon.V6.vpackeb.128B
hexagon_V6_vpackeh, // llvm.hexagon.V6.vpackeh
hexagon_V6_vpackeh_128B, // llvm.hexagon.V6.vpackeh.128B
hexagon_V6_vpackhb_sat, // llvm.hexagon.V6.vpackhb.sat
hexagon_V6_vpackhb_sat_128B, // llvm.hexagon.V6.vpackhb.sat.128B
hexagon_V6_vpackhub_sat, // llvm.hexagon.V6.vpackhub.sat
hexagon_V6_vpackhub_sat_128B, // llvm.hexagon.V6.vpackhub.sat.128B
hexagon_V6_vpackob, // llvm.hexagon.V6.vpackob
hexagon_V6_vpackob_128B, // llvm.hexagon.V6.vpackob.128B
hexagon_V6_vpackoh, // llvm.hexagon.V6.vpackoh
hexagon_V6_vpackoh_128B, // llvm.hexagon.V6.vpackoh.128B
hexagon_V6_vpackwh_sat, // llvm.hexagon.V6.vpackwh.sat
hexagon_V6_vpackwh_sat_128B, // llvm.hexagon.V6.vpackwh.sat.128B
hexagon_V6_vpackwuh_sat, // llvm.hexagon.V6.vpackwuh.sat
hexagon_V6_vpackwuh_sat_128B, // llvm.hexagon.V6.vpackwuh.sat.128B
hexagon_V6_vpopcounth, // llvm.hexagon.V6.vpopcounth
hexagon_V6_vpopcounth_128B, // llvm.hexagon.V6.vpopcounth.128B
hexagon_V6_vprefixqb, // llvm.hexagon.V6.vprefixqb
hexagon_V6_vprefixqb_128B, // llvm.hexagon.V6.vprefixqb.128B
hexagon_V6_vprefixqh, // llvm.hexagon.V6.vprefixqh
hexagon_V6_vprefixqh_128B, // llvm.hexagon.V6.vprefixqh.128B
hexagon_V6_vprefixqw, // llvm.hexagon.V6.vprefixqw
hexagon_V6_vprefixqw_128B, // llvm.hexagon.V6.vprefixqw.128B
hexagon_V6_vrdelta, // llvm.hexagon.V6.vrdelta
hexagon_V6_vrdelta_128B, // llvm.hexagon.V6.vrdelta.128B
hexagon_V6_vrmpybub_rtt, // llvm.hexagon.V6.vrmpybub.rtt
hexagon_V6_vrmpybub_rtt_128B, // llvm.hexagon.V6.vrmpybub.rtt.128B
hexagon_V6_vrmpybub_rtt_acc, // llvm.hexagon.V6.vrmpybub.rtt.acc
hexagon_V6_vrmpybub_rtt_acc_128B, // llvm.hexagon.V6.vrmpybub.rtt.acc.128B
hexagon_V6_vrmpybus, // llvm.hexagon.V6.vrmpybus
hexagon_V6_vrmpybus_128B, // llvm.hexagon.V6.vrmpybus.128B
hexagon_V6_vrmpybus_acc, // llvm.hexagon.V6.vrmpybus.acc
hexagon_V6_vrmpybus_acc_128B, // llvm.hexagon.V6.vrmpybus.acc.128B
hexagon_V6_vrmpybusi, // llvm.hexagon.V6.vrmpybusi
hexagon_V6_vrmpybusi_128B, // llvm.hexagon.V6.vrmpybusi.128B
hexagon_V6_vrmpybusi_acc, // llvm.hexagon.V6.vrmpybusi.acc
hexagon_V6_vrmpybusi_acc_128B, // llvm.hexagon.V6.vrmpybusi.acc.128B
hexagon_V6_vrmpybusv, // llvm.hexagon.V6.vrmpybusv
hexagon_V6_vrmpybusv_128B, // llvm.hexagon.V6.vrmpybusv.128B
hexagon_V6_vrmpybusv_acc, // llvm.hexagon.V6.vrmpybusv.acc
hexagon_V6_vrmpybusv_acc_128B, // llvm.hexagon.V6.vrmpybusv.acc.128B
hexagon_V6_vrmpybv, // llvm.hexagon.V6.vrmpybv
hexagon_V6_vrmpybv_128B, // llvm.hexagon.V6.vrmpybv.128B
hexagon_V6_vrmpybv_acc, // llvm.hexagon.V6.vrmpybv.acc
hexagon_V6_vrmpybv_acc_128B, // llvm.hexagon.V6.vrmpybv.acc.128B
hexagon_V6_vrmpyub, // llvm.hexagon.V6.vrmpyub
hexagon_V6_vrmpyub_128B, // llvm.hexagon.V6.vrmpyub.128B
hexagon_V6_vrmpyub_acc, // llvm.hexagon.V6.vrmpyub.acc
hexagon_V6_vrmpyub_acc_128B, // llvm.hexagon.V6.vrmpyub.acc.128B
hexagon_V6_vrmpyub_rtt, // llvm.hexagon.V6.vrmpyub.rtt
hexagon_V6_vrmpyub_rtt_128B, // llvm.hexagon.V6.vrmpyub.rtt.128B
hexagon_V6_vrmpyub_rtt_acc, // llvm.hexagon.V6.vrmpyub.rtt.acc
hexagon_V6_vrmpyub_rtt_acc_128B, // llvm.hexagon.V6.vrmpyub.rtt.acc.128B
hexagon_V6_vrmpyubi, // llvm.hexagon.V6.vrmpyubi
hexagon_V6_vrmpyubi_128B, // llvm.hexagon.V6.vrmpyubi.128B
hexagon_V6_vrmpyubi_acc, // llvm.hexagon.V6.vrmpyubi.acc
hexagon_V6_vrmpyubi_acc_128B, // llvm.hexagon.V6.vrmpyubi.acc.128B
hexagon_V6_vrmpyubv, // llvm.hexagon.V6.vrmpyubv
hexagon_V6_vrmpyubv_128B, // llvm.hexagon.V6.vrmpyubv.128B
hexagon_V6_vrmpyubv_acc, // llvm.hexagon.V6.vrmpyubv.acc
hexagon_V6_vrmpyubv_acc_128B, // llvm.hexagon.V6.vrmpyubv.acc.128B
hexagon_V6_vror, // llvm.hexagon.V6.vror
hexagon_V6_vror_128B, // llvm.hexagon.V6.vror.128B
hexagon_V6_vrotr, // llvm.hexagon.V6.vrotr
hexagon_V6_vrotr_128B, // llvm.hexagon.V6.vrotr.128B
hexagon_V6_vroundhb, // llvm.hexagon.V6.vroundhb
hexagon_V6_vroundhb_128B, // llvm.hexagon.V6.vroundhb.128B
hexagon_V6_vroundhub, // llvm.hexagon.V6.vroundhub
hexagon_V6_vroundhub_128B, // llvm.hexagon.V6.vroundhub.128B
hexagon_V6_vrounduhub, // llvm.hexagon.V6.vrounduhub
hexagon_V6_vrounduhub_128B, // llvm.hexagon.V6.vrounduhub.128B
hexagon_V6_vrounduwuh, // llvm.hexagon.V6.vrounduwuh
hexagon_V6_vrounduwuh_128B, // llvm.hexagon.V6.vrounduwuh.128B
hexagon_V6_vroundwh, // llvm.hexagon.V6.vroundwh
hexagon_V6_vroundwh_128B, // llvm.hexagon.V6.vroundwh.128B
hexagon_V6_vroundwuh, // llvm.hexagon.V6.vroundwuh
hexagon_V6_vroundwuh_128B, // llvm.hexagon.V6.vroundwuh.128B
hexagon_V6_vrsadubi, // llvm.hexagon.V6.vrsadubi
hexagon_V6_vrsadubi_128B, // llvm.hexagon.V6.vrsadubi.128B
hexagon_V6_vrsadubi_acc, // llvm.hexagon.V6.vrsadubi.acc
hexagon_V6_vrsadubi_acc_128B, // llvm.hexagon.V6.vrsadubi.acc.128B
hexagon_V6_vsatdw, // llvm.hexagon.V6.vsatdw
hexagon_V6_vsatdw_128B, // llvm.hexagon.V6.vsatdw.128B
hexagon_V6_vsathub, // llvm.hexagon.V6.vsathub
hexagon_V6_vsathub_128B, // llvm.hexagon.V6.vsathub.128B
hexagon_V6_vsatuwuh, // llvm.hexagon.V6.vsatuwuh
hexagon_V6_vsatuwuh_128B, // llvm.hexagon.V6.vsatuwuh.128B
hexagon_V6_vsatwh, // llvm.hexagon.V6.vsatwh
hexagon_V6_vsatwh_128B, // llvm.hexagon.V6.vsatwh.128B
hexagon_V6_vsb, // llvm.hexagon.V6.vsb
hexagon_V6_vsb_128B, // llvm.hexagon.V6.vsb.128B
hexagon_V6_vscattermh, // llvm.hexagon.V6.vscattermh
hexagon_V6_vscattermh_128B, // llvm.hexagon.V6.vscattermh.128B
hexagon_V6_vscattermh_add, // llvm.hexagon.V6.vscattermh.add
hexagon_V6_vscattermh_add_128B, // llvm.hexagon.V6.vscattermh.add.128B
hexagon_V6_vscattermhq, // llvm.hexagon.V6.vscattermhq
hexagon_V6_vscattermhq_128B, // llvm.hexagon.V6.vscattermhq.128B
hexagon_V6_vscattermhw, // llvm.hexagon.V6.vscattermhw
hexagon_V6_vscattermhw_128B, // llvm.hexagon.V6.vscattermhw.128B
hexagon_V6_vscattermhw_add, // llvm.hexagon.V6.vscattermhw.add
hexagon_V6_vscattermhw_add_128B, // llvm.hexagon.V6.vscattermhw.add.128B
hexagon_V6_vscattermhwq, // llvm.hexagon.V6.vscattermhwq
hexagon_V6_vscattermhwq_128B, // llvm.hexagon.V6.vscattermhwq.128B
hexagon_V6_vscattermw, // llvm.hexagon.V6.vscattermw
hexagon_V6_vscattermw_128B, // llvm.hexagon.V6.vscattermw.128B
hexagon_V6_vscattermw_add, // llvm.hexagon.V6.vscattermw.add
hexagon_V6_vscattermw_add_128B, // llvm.hexagon.V6.vscattermw.add.128B
hexagon_V6_vscattermwq, // llvm.hexagon.V6.vscattermwq
hexagon_V6_vscattermwq_128B, // llvm.hexagon.V6.vscattermwq.128B
hexagon_V6_vsh, // llvm.hexagon.V6.vsh
hexagon_V6_vsh_128B, // llvm.hexagon.V6.vsh.128B
hexagon_V6_vshufeh, // llvm.hexagon.V6.vshufeh
hexagon_V6_vshufeh_128B, // llvm.hexagon.V6.vshufeh.128B
hexagon_V6_vshuffb, // llvm.hexagon.V6.vshuffb
hexagon_V6_vshuffb_128B, // llvm.hexagon.V6.vshuffb.128B
hexagon_V6_vshuffeb, // llvm.hexagon.V6.vshuffeb
hexagon_V6_vshuffeb_128B, // llvm.hexagon.V6.vshuffeb.128B
hexagon_V6_vshuffh, // llvm.hexagon.V6.vshuffh
hexagon_V6_vshuffh_128B, // llvm.hexagon.V6.vshuffh.128B
hexagon_V6_vshuffob, // llvm.hexagon.V6.vshuffob
hexagon_V6_vshuffob_128B, // llvm.hexagon.V6.vshuffob.128B
hexagon_V6_vshuffvdd, // llvm.hexagon.V6.vshuffvdd
hexagon_V6_vshuffvdd_128B, // llvm.hexagon.V6.vshuffvdd.128B
hexagon_V6_vshufoeb, // llvm.hexagon.V6.vshufoeb
hexagon_V6_vshufoeb_128B, // llvm.hexagon.V6.vshufoeb.128B
hexagon_V6_vshufoeh, // llvm.hexagon.V6.vshufoeh
hexagon_V6_vshufoeh_128B, // llvm.hexagon.V6.vshufoeh.128B
hexagon_V6_vshufoh, // llvm.hexagon.V6.vshufoh
hexagon_V6_vshufoh_128B, // llvm.hexagon.V6.vshufoh.128B
hexagon_V6_vsubb, // llvm.hexagon.V6.vsubb
hexagon_V6_vsubb_128B, // llvm.hexagon.V6.vsubb.128B
hexagon_V6_vsubb_dv, // llvm.hexagon.V6.vsubb.dv
hexagon_V6_vsubb_dv_128B, // llvm.hexagon.V6.vsubb.dv.128B
hexagon_V6_vsubbnq, // llvm.hexagon.V6.vsubbnq
hexagon_V6_vsubbnq_128B, // llvm.hexagon.V6.vsubbnq.128B
hexagon_V6_vsubbq, // llvm.hexagon.V6.vsubbq
hexagon_V6_vsubbq_128B, // llvm.hexagon.V6.vsubbq.128B
hexagon_V6_vsubbsat, // llvm.hexagon.V6.vsubbsat
hexagon_V6_vsubbsat_128B, // llvm.hexagon.V6.vsubbsat.128B
hexagon_V6_vsubbsat_dv, // llvm.hexagon.V6.vsubbsat.dv
hexagon_V6_vsubbsat_dv_128B, // llvm.hexagon.V6.vsubbsat.dv.128B
hexagon_V6_vsubcarry, // llvm.hexagon.V6.vsubcarry
hexagon_V6_vsubcarry_128B, // llvm.hexagon.V6.vsubcarry.128B
hexagon_V6_vsubh, // llvm.hexagon.V6.vsubh
hexagon_V6_vsubh_128B, // llvm.hexagon.V6.vsubh.128B
hexagon_V6_vsubh_dv, // llvm.hexagon.V6.vsubh.dv
hexagon_V6_vsubh_dv_128B, // llvm.hexagon.V6.vsubh.dv.128B
hexagon_V6_vsubhnq, // llvm.hexagon.V6.vsubhnq
hexagon_V6_vsubhnq_128B, // llvm.hexagon.V6.vsubhnq.128B
hexagon_V6_vsubhq, // llvm.hexagon.V6.vsubhq
hexagon_V6_vsubhq_128B, // llvm.hexagon.V6.vsubhq.128B
hexagon_V6_vsubhsat, // llvm.hexagon.V6.vsubhsat
hexagon_V6_vsubhsat_128B, // llvm.hexagon.V6.vsubhsat.128B
hexagon_V6_vsubhsat_dv, // llvm.hexagon.V6.vsubhsat.dv
hexagon_V6_vsubhsat_dv_128B, // llvm.hexagon.V6.vsubhsat.dv.128B
hexagon_V6_vsubhw, // llvm.hexagon.V6.vsubhw
hexagon_V6_vsubhw_128B, // llvm.hexagon.V6.vsubhw.128B
hexagon_V6_vsububh, // llvm.hexagon.V6.vsububh
hexagon_V6_vsububh_128B, // llvm.hexagon.V6.vsububh.128B
hexagon_V6_vsububsat, // llvm.hexagon.V6.vsububsat
hexagon_V6_vsububsat_128B, // llvm.hexagon.V6.vsububsat.128B
hexagon_V6_vsububsat_dv, // llvm.hexagon.V6.vsububsat.dv
hexagon_V6_vsububsat_dv_128B, // llvm.hexagon.V6.vsububsat.dv.128B
hexagon_V6_vsubububb_sat, // llvm.hexagon.V6.vsubububb.sat
hexagon_V6_vsubububb_sat_128B, // llvm.hexagon.V6.vsubububb.sat.128B
hexagon_V6_vsubuhsat, // llvm.hexagon.V6.vsubuhsat
hexagon_V6_vsubuhsat_128B, // llvm.hexagon.V6.vsubuhsat.128B
hexagon_V6_vsubuhsat_dv, // llvm.hexagon.V6.vsubuhsat.dv
hexagon_V6_vsubuhsat_dv_128B, // llvm.hexagon.V6.vsubuhsat.dv.128B
hexagon_V6_vsubuhw, // llvm.hexagon.V6.vsubuhw
hexagon_V6_vsubuhw_128B, // llvm.hexagon.V6.vsubuhw.128B
hexagon_V6_vsubuwsat, // llvm.hexagon.V6.vsubuwsat
hexagon_V6_vsubuwsat_128B, // llvm.hexagon.V6.vsubuwsat.128B
hexagon_V6_vsubuwsat_dv, // llvm.hexagon.V6.vsubuwsat.dv
hexagon_V6_vsubuwsat_dv_128B, // llvm.hexagon.V6.vsubuwsat.dv.128B
hexagon_V6_vsubw, // llvm.hexagon.V6.vsubw
hexagon_V6_vsubw_128B, // llvm.hexagon.V6.vsubw.128B
hexagon_V6_vsubw_dv, // llvm.hexagon.V6.vsubw.dv
hexagon_V6_vsubw_dv_128B, // llvm.hexagon.V6.vsubw.dv.128B
hexagon_V6_vsubwnq, // llvm.hexagon.V6.vsubwnq
hexagon_V6_vsubwnq_128B, // llvm.hexagon.V6.vsubwnq.128B
hexagon_V6_vsubwq, // llvm.hexagon.V6.vsubwq
hexagon_V6_vsubwq_128B, // llvm.hexagon.V6.vsubwq.128B
hexagon_V6_vsubwsat, // llvm.hexagon.V6.vsubwsat
hexagon_V6_vsubwsat_128B, // llvm.hexagon.V6.vsubwsat.128B
hexagon_V6_vsubwsat_dv, // llvm.hexagon.V6.vsubwsat.dv
hexagon_V6_vsubwsat_dv_128B, // llvm.hexagon.V6.vsubwsat.dv.128B
hexagon_V6_vswap, // llvm.hexagon.V6.vswap
hexagon_V6_vswap_128B, // llvm.hexagon.V6.vswap.128B
hexagon_V6_vtmpyb, // llvm.hexagon.V6.vtmpyb
hexagon_V6_vtmpyb_128B, // llvm.hexagon.V6.vtmpyb.128B
hexagon_V6_vtmpyb_acc, // llvm.hexagon.V6.vtmpyb.acc
hexagon_V6_vtmpyb_acc_128B, // llvm.hexagon.V6.vtmpyb.acc.128B
hexagon_V6_vtmpybus, // llvm.hexagon.V6.vtmpybus
hexagon_V6_vtmpybus_128B, // llvm.hexagon.V6.vtmpybus.128B
hexagon_V6_vtmpybus_acc, // llvm.hexagon.V6.vtmpybus.acc
hexagon_V6_vtmpybus_acc_128B, // llvm.hexagon.V6.vtmpybus.acc.128B
hexagon_V6_vtmpyhb, // llvm.hexagon.V6.vtmpyhb
hexagon_V6_vtmpyhb_128B, // llvm.hexagon.V6.vtmpyhb.128B
hexagon_V6_vtmpyhb_acc, // llvm.hexagon.V6.vtmpyhb.acc
hexagon_V6_vtmpyhb_acc_128B, // llvm.hexagon.V6.vtmpyhb.acc.128B
hexagon_V6_vtran2x2_map, // llvm.hexagon.V6.vtran2x2.map
hexagon_V6_vtran2x2_map_128B, // llvm.hexagon.V6.vtran2x2.map.128B
hexagon_V6_vunpackb, // llvm.hexagon.V6.vunpackb
hexagon_V6_vunpackb_128B, // llvm.hexagon.V6.vunpackb.128B
hexagon_V6_vunpackh, // llvm.hexagon.V6.vunpackh
hexagon_V6_vunpackh_128B, // llvm.hexagon.V6.vunpackh.128B
hexagon_V6_vunpackob, // llvm.hexagon.V6.vunpackob
hexagon_V6_vunpackob_128B, // llvm.hexagon.V6.vunpackob.128B
hexagon_V6_vunpackoh, // llvm.hexagon.V6.vunpackoh
hexagon_V6_vunpackoh_128B, // llvm.hexagon.V6.vunpackoh.128B
hexagon_V6_vunpackub, // llvm.hexagon.V6.vunpackub
hexagon_V6_vunpackub_128B, // llvm.hexagon.V6.vunpackub.128B
hexagon_V6_vunpackuh, // llvm.hexagon.V6.vunpackuh
hexagon_V6_vunpackuh_128B, // llvm.hexagon.V6.vunpackuh.128B
hexagon_V6_vxor, // llvm.hexagon.V6.vxor
hexagon_V6_vxor_128B, // llvm.hexagon.V6.vxor.128B
hexagon_V6_vzb, // llvm.hexagon.V6.vzb
hexagon_V6_vzb_128B, // llvm.hexagon.V6.vzb.128B
hexagon_V6_vzh, // llvm.hexagon.V6.vzh
hexagon_V6_vzh_128B, // llvm.hexagon.V6.vzh.128B
hexagon_Y2_dccleana, // llvm.hexagon.Y2.dccleana
hexagon_Y2_dccleaninva, // llvm.hexagon.Y2.dccleaninva
hexagon_Y2_dcinva, // llvm.hexagon.Y2.dcinva
hexagon_Y2_dczeroa, // llvm.hexagon.Y2.dczeroa
hexagon_Y4_l2fetch, // llvm.hexagon.Y4.l2fetch
hexagon_Y5_l2fetch, // llvm.hexagon.Y5.l2fetch
hexagon_circ_ldb, // llvm.hexagon.circ.ldb
hexagon_circ_ldd, // llvm.hexagon.circ.ldd
hexagon_circ_ldh, // llvm.hexagon.circ.ldh
hexagon_circ_ldub, // llvm.hexagon.circ.ldub
hexagon_circ_lduh, // llvm.hexagon.circ.lduh
hexagon_circ_ldw, // llvm.hexagon.circ.ldw
hexagon_circ_stb, // llvm.hexagon.circ.stb
hexagon_circ_std, // llvm.hexagon.circ.std
hexagon_circ_sth, // llvm.hexagon.circ.sth
hexagon_circ_sthhi, // llvm.hexagon.circ.sthhi
hexagon_circ_stw, // llvm.hexagon.circ.stw
hexagon_prefetch, // llvm.hexagon.prefetch
hexagon_vmemcpy, // llvm.hexagon.vmemcpy
hexagon_vmemset, // llvm.hexagon.vmemset
mips_absq_s_ph, // llvm.mips.absq.s.ph
mips_absq_s_qb, // llvm.mips.absq.s.qb
mips_absq_s_w, // llvm.mips.absq.s.w
mips_add_a_b, // llvm.mips.add.a.b
mips_add_a_d, // llvm.mips.add.a.d
mips_add_a_h, // llvm.mips.add.a.h
mips_add_a_w, // llvm.mips.add.a.w
mips_addq_ph, // llvm.mips.addq.ph
mips_addq_s_ph, // llvm.mips.addq.s.ph
mips_addq_s_w, // llvm.mips.addq.s.w
mips_addqh_ph, // llvm.mips.addqh.ph
mips_addqh_r_ph, // llvm.mips.addqh.r.ph
mips_addqh_r_w, // llvm.mips.addqh.r.w
mips_addqh_w, // llvm.mips.addqh.w
mips_adds_a_b, // llvm.mips.adds.a.b
mips_adds_a_d, // llvm.mips.adds.a.d
mips_adds_a_h, // llvm.mips.adds.a.h
mips_adds_a_w, // llvm.mips.adds.a.w
mips_adds_s_b, // llvm.mips.adds.s.b
mips_adds_s_d, // llvm.mips.adds.s.d
mips_adds_s_h, // llvm.mips.adds.s.h
mips_adds_s_w, // llvm.mips.adds.s.w
mips_adds_u_b, // llvm.mips.adds.u.b
mips_adds_u_d, // llvm.mips.adds.u.d
mips_adds_u_h, // llvm.mips.adds.u.h
mips_adds_u_w, // llvm.mips.adds.u.w
mips_addsc, // llvm.mips.addsc
mips_addu_ph, // llvm.mips.addu.ph
mips_addu_qb, // llvm.mips.addu.qb
mips_addu_s_ph, // llvm.mips.addu.s.ph
mips_addu_s_qb, // llvm.mips.addu.s.qb
mips_adduh_qb, // llvm.mips.adduh.qb
mips_adduh_r_qb, // llvm.mips.adduh.r.qb
mips_addv_b, // llvm.mips.addv.b
mips_addv_d, // llvm.mips.addv.d
mips_addv_h, // llvm.mips.addv.h
mips_addv_w, // llvm.mips.addv.w
mips_addvi_b, // llvm.mips.addvi.b
mips_addvi_d, // llvm.mips.addvi.d
mips_addvi_h, // llvm.mips.addvi.h
mips_addvi_w, // llvm.mips.addvi.w
mips_addwc, // llvm.mips.addwc
mips_and_v, // llvm.mips.and.v
mips_andi_b, // llvm.mips.andi.b
mips_append, // llvm.mips.append
mips_asub_s_b, // llvm.mips.asub.s.b
mips_asub_s_d, // llvm.mips.asub.s.d
mips_asub_s_h, // llvm.mips.asub.s.h
mips_asub_s_w, // llvm.mips.asub.s.w
mips_asub_u_b, // llvm.mips.asub.u.b
mips_asub_u_d, // llvm.mips.asub.u.d
mips_asub_u_h, // llvm.mips.asub.u.h
mips_asub_u_w, // llvm.mips.asub.u.w
mips_ave_s_b, // llvm.mips.ave.s.b
mips_ave_s_d, // llvm.mips.ave.s.d
mips_ave_s_h, // llvm.mips.ave.s.h
mips_ave_s_w, // llvm.mips.ave.s.w
mips_ave_u_b, // llvm.mips.ave.u.b
mips_ave_u_d, // llvm.mips.ave.u.d
mips_ave_u_h, // llvm.mips.ave.u.h
mips_ave_u_w, // llvm.mips.ave.u.w
mips_aver_s_b, // llvm.mips.aver.s.b
mips_aver_s_d, // llvm.mips.aver.s.d
mips_aver_s_h, // llvm.mips.aver.s.h
mips_aver_s_w, // llvm.mips.aver.s.w
mips_aver_u_b, // llvm.mips.aver.u.b
mips_aver_u_d, // llvm.mips.aver.u.d
mips_aver_u_h, // llvm.mips.aver.u.h
mips_aver_u_w, // llvm.mips.aver.u.w
mips_balign, // llvm.mips.balign
mips_bclr_b, // llvm.mips.bclr.b
mips_bclr_d, // llvm.mips.bclr.d
mips_bclr_h, // llvm.mips.bclr.h
mips_bclr_w, // llvm.mips.bclr.w
mips_bclri_b, // llvm.mips.bclri.b
mips_bclri_d, // llvm.mips.bclri.d
mips_bclri_h, // llvm.mips.bclri.h
mips_bclri_w, // llvm.mips.bclri.w
mips_binsl_b, // llvm.mips.binsl.b
mips_binsl_d, // llvm.mips.binsl.d
mips_binsl_h, // llvm.mips.binsl.h
mips_binsl_w, // llvm.mips.binsl.w
mips_binsli_b, // llvm.mips.binsli.b
mips_binsli_d, // llvm.mips.binsli.d
mips_binsli_h, // llvm.mips.binsli.h
mips_binsli_w, // llvm.mips.binsli.w
mips_binsr_b, // llvm.mips.binsr.b
mips_binsr_d, // llvm.mips.binsr.d
mips_binsr_h, // llvm.mips.binsr.h
mips_binsr_w, // llvm.mips.binsr.w
mips_binsri_b, // llvm.mips.binsri.b
mips_binsri_d, // llvm.mips.binsri.d
mips_binsri_h, // llvm.mips.binsri.h
mips_binsri_w, // llvm.mips.binsri.w
mips_bitrev, // llvm.mips.bitrev
mips_bmnz_v, // llvm.mips.bmnz.v
mips_bmnzi_b, // llvm.mips.bmnzi.b
mips_bmz_v, // llvm.mips.bmz.v
mips_bmzi_b, // llvm.mips.bmzi.b
mips_bneg_b, // llvm.mips.bneg.b
mips_bneg_d, // llvm.mips.bneg.d
mips_bneg_h, // llvm.mips.bneg.h
mips_bneg_w, // llvm.mips.bneg.w
mips_bnegi_b, // llvm.mips.bnegi.b
mips_bnegi_d, // llvm.mips.bnegi.d
mips_bnegi_h, // llvm.mips.bnegi.h
mips_bnegi_w, // llvm.mips.bnegi.w
mips_bnz_b, // llvm.mips.bnz.b
mips_bnz_d, // llvm.mips.bnz.d
mips_bnz_h, // llvm.mips.bnz.h
mips_bnz_v, // llvm.mips.bnz.v
mips_bnz_w, // llvm.mips.bnz.w
mips_bposge32, // llvm.mips.bposge32
mips_bsel_v, // llvm.mips.bsel.v
mips_bseli_b, // llvm.mips.bseli.b
mips_bset_b, // llvm.mips.bset.b
mips_bset_d, // llvm.mips.bset.d
mips_bset_h, // llvm.mips.bset.h
mips_bset_w, // llvm.mips.bset.w
mips_bseti_b, // llvm.mips.bseti.b
mips_bseti_d, // llvm.mips.bseti.d
mips_bseti_h, // llvm.mips.bseti.h
mips_bseti_w, // llvm.mips.bseti.w
mips_bz_b, // llvm.mips.bz.b
mips_bz_d, // llvm.mips.bz.d
mips_bz_h, // llvm.mips.bz.h
mips_bz_v, // llvm.mips.bz.v
mips_bz_w, // llvm.mips.bz.w
mips_ceq_b, // llvm.mips.ceq.b
mips_ceq_d, // llvm.mips.ceq.d
mips_ceq_h, // llvm.mips.ceq.h
mips_ceq_w, // llvm.mips.ceq.w
mips_ceqi_b, // llvm.mips.ceqi.b
mips_ceqi_d, // llvm.mips.ceqi.d
mips_ceqi_h, // llvm.mips.ceqi.h
mips_ceqi_w, // llvm.mips.ceqi.w
mips_cfcmsa, // llvm.mips.cfcmsa
mips_cle_s_b, // llvm.mips.cle.s.b
mips_cle_s_d, // llvm.mips.cle.s.d
mips_cle_s_h, // llvm.mips.cle.s.h
mips_cle_s_w, // llvm.mips.cle.s.w
mips_cle_u_b, // llvm.mips.cle.u.b
mips_cle_u_d, // llvm.mips.cle.u.d
mips_cle_u_h, // llvm.mips.cle.u.h
mips_cle_u_w, // llvm.mips.cle.u.w
mips_clei_s_b, // llvm.mips.clei.s.b
mips_clei_s_d, // llvm.mips.clei.s.d
mips_clei_s_h, // llvm.mips.clei.s.h
mips_clei_s_w, // llvm.mips.clei.s.w
mips_clei_u_b, // llvm.mips.clei.u.b
mips_clei_u_d, // llvm.mips.clei.u.d
mips_clei_u_h, // llvm.mips.clei.u.h
mips_clei_u_w, // llvm.mips.clei.u.w
mips_clt_s_b, // llvm.mips.clt.s.b
mips_clt_s_d, // llvm.mips.clt.s.d
mips_clt_s_h, // llvm.mips.clt.s.h
mips_clt_s_w, // llvm.mips.clt.s.w
mips_clt_u_b, // llvm.mips.clt.u.b
mips_clt_u_d, // llvm.mips.clt.u.d
mips_clt_u_h, // llvm.mips.clt.u.h
mips_clt_u_w, // llvm.mips.clt.u.w
mips_clti_s_b, // llvm.mips.clti.s.b
mips_clti_s_d, // llvm.mips.clti.s.d
mips_clti_s_h, // llvm.mips.clti.s.h
mips_clti_s_w, // llvm.mips.clti.s.w
mips_clti_u_b, // llvm.mips.clti.u.b
mips_clti_u_d, // llvm.mips.clti.u.d
mips_clti_u_h, // llvm.mips.clti.u.h
mips_clti_u_w, // llvm.mips.clti.u.w
mips_cmp_eq_ph, // llvm.mips.cmp.eq.ph
mips_cmp_le_ph, // llvm.mips.cmp.le.ph
mips_cmp_lt_ph, // llvm.mips.cmp.lt.ph
mips_cmpgdu_eq_qb, // llvm.mips.cmpgdu.eq.qb
mips_cmpgdu_le_qb, // llvm.mips.cmpgdu.le.qb
mips_cmpgdu_lt_qb, // llvm.mips.cmpgdu.lt.qb
mips_cmpgu_eq_qb, // llvm.mips.cmpgu.eq.qb
mips_cmpgu_le_qb, // llvm.mips.cmpgu.le.qb
mips_cmpgu_lt_qb, // llvm.mips.cmpgu.lt.qb
mips_cmpu_eq_qb, // llvm.mips.cmpu.eq.qb
mips_cmpu_le_qb, // llvm.mips.cmpu.le.qb
mips_cmpu_lt_qb, // llvm.mips.cmpu.lt.qb
mips_copy_s_b, // llvm.mips.copy.s.b
mips_copy_s_d, // llvm.mips.copy.s.d
mips_copy_s_h, // llvm.mips.copy.s.h
mips_copy_s_w, // llvm.mips.copy.s.w
mips_copy_u_b, // llvm.mips.copy.u.b
mips_copy_u_d, // llvm.mips.copy.u.d
mips_copy_u_h, // llvm.mips.copy.u.h
mips_copy_u_w, // llvm.mips.copy.u.w
mips_ctcmsa, // llvm.mips.ctcmsa
mips_div_s_b, // llvm.mips.div.s.b
mips_div_s_d, // llvm.mips.div.s.d
mips_div_s_h, // llvm.mips.div.s.h
mips_div_s_w, // llvm.mips.div.s.w
mips_div_u_b, // llvm.mips.div.u.b
mips_div_u_d, // llvm.mips.div.u.d
mips_div_u_h, // llvm.mips.div.u.h
mips_div_u_w, // llvm.mips.div.u.w
mips_dlsa, // llvm.mips.dlsa
mips_dotp_s_d, // llvm.mips.dotp.s.d
mips_dotp_s_h, // llvm.mips.dotp.s.h
mips_dotp_s_w, // llvm.mips.dotp.s.w
mips_dotp_u_d, // llvm.mips.dotp.u.d
mips_dotp_u_h, // llvm.mips.dotp.u.h
mips_dotp_u_w, // llvm.mips.dotp.u.w
mips_dpa_w_ph, // llvm.mips.dpa.w.ph
mips_dpadd_s_d, // llvm.mips.dpadd.s.d
mips_dpadd_s_h, // llvm.mips.dpadd.s.h
mips_dpadd_s_w, // llvm.mips.dpadd.s.w
mips_dpadd_u_d, // llvm.mips.dpadd.u.d
mips_dpadd_u_h, // llvm.mips.dpadd.u.h
mips_dpadd_u_w, // llvm.mips.dpadd.u.w
mips_dpaq_s_w_ph, // llvm.mips.dpaq.s.w.ph
mips_dpaq_sa_l_w, // llvm.mips.dpaq.sa.l.w
mips_dpaqx_s_w_ph, // llvm.mips.dpaqx.s.w.ph
mips_dpaqx_sa_w_ph, // llvm.mips.dpaqx.sa.w.ph
mips_dpau_h_qbl, // llvm.mips.dpau.h.qbl
mips_dpau_h_qbr, // llvm.mips.dpau.h.qbr
mips_dpax_w_ph, // llvm.mips.dpax.w.ph
mips_dps_w_ph, // llvm.mips.dps.w.ph
mips_dpsq_s_w_ph, // llvm.mips.dpsq.s.w.ph
mips_dpsq_sa_l_w, // llvm.mips.dpsq.sa.l.w
mips_dpsqx_s_w_ph, // llvm.mips.dpsqx.s.w.ph
mips_dpsqx_sa_w_ph, // llvm.mips.dpsqx.sa.w.ph
mips_dpsu_h_qbl, // llvm.mips.dpsu.h.qbl
mips_dpsu_h_qbr, // llvm.mips.dpsu.h.qbr
mips_dpsub_s_d, // llvm.mips.dpsub.s.d
mips_dpsub_s_h, // llvm.mips.dpsub.s.h
mips_dpsub_s_w, // llvm.mips.dpsub.s.w
mips_dpsub_u_d, // llvm.mips.dpsub.u.d
mips_dpsub_u_h, // llvm.mips.dpsub.u.h
mips_dpsub_u_w, // llvm.mips.dpsub.u.w
mips_dpsx_w_ph, // llvm.mips.dpsx.w.ph
mips_extp, // llvm.mips.extp
mips_extpdp, // llvm.mips.extpdp
mips_extr_r_w, // llvm.mips.extr.r.w
mips_extr_rs_w, // llvm.mips.extr.rs.w
mips_extr_s_h, // llvm.mips.extr.s.h
mips_extr_w, // llvm.mips.extr.w
mips_fadd_d, // llvm.mips.fadd.d
mips_fadd_w, // llvm.mips.fadd.w
mips_fcaf_d, // llvm.mips.fcaf.d
mips_fcaf_w, // llvm.mips.fcaf.w
mips_fceq_d, // llvm.mips.fceq.d
mips_fceq_w, // llvm.mips.fceq.w
mips_fclass_d, // llvm.mips.fclass.d
mips_fclass_w, // llvm.mips.fclass.w
mips_fcle_d, // llvm.mips.fcle.d
mips_fcle_w, // llvm.mips.fcle.w
mips_fclt_d, // llvm.mips.fclt.d
mips_fclt_w, // llvm.mips.fclt.w
mips_fcne_d, // llvm.mips.fcne.d
mips_fcne_w, // llvm.mips.fcne.w
mips_fcor_d, // llvm.mips.fcor.d
mips_fcor_w, // llvm.mips.fcor.w
mips_fcueq_d, // llvm.mips.fcueq.d
mips_fcueq_w, // llvm.mips.fcueq.w
mips_fcule_d, // llvm.mips.fcule.d
mips_fcule_w, // llvm.mips.fcule.w
mips_fcult_d, // llvm.mips.fcult.d
mips_fcult_w, // llvm.mips.fcult.w
mips_fcun_d, // llvm.mips.fcun.d
mips_fcun_w, // llvm.mips.fcun.w
mips_fcune_d, // llvm.mips.fcune.d
mips_fcune_w, // llvm.mips.fcune.w
mips_fdiv_d, // llvm.mips.fdiv.d
mips_fdiv_w, // llvm.mips.fdiv.w
mips_fexdo_h, // llvm.mips.fexdo.h
mips_fexdo_w, // llvm.mips.fexdo.w
mips_fexp2_d, // llvm.mips.fexp2.d
mips_fexp2_w, // llvm.mips.fexp2.w
mips_fexupl_d, // llvm.mips.fexupl.d
mips_fexupl_w, // llvm.mips.fexupl.w
mips_fexupr_d, // llvm.mips.fexupr.d
mips_fexupr_w, // llvm.mips.fexupr.w
mips_ffint_s_d, // llvm.mips.ffint.s.d
mips_ffint_s_w, // llvm.mips.ffint.s.w
mips_ffint_u_d, // llvm.mips.ffint.u.d
mips_ffint_u_w, // llvm.mips.ffint.u.w
mips_ffql_d, // llvm.mips.ffql.d
mips_ffql_w, // llvm.mips.ffql.w
mips_ffqr_d, // llvm.mips.ffqr.d
mips_ffqr_w, // llvm.mips.ffqr.w
mips_fill_b, // llvm.mips.fill.b
mips_fill_d, // llvm.mips.fill.d
mips_fill_h, // llvm.mips.fill.h
mips_fill_w, // llvm.mips.fill.w
mips_flog2_d, // llvm.mips.flog2.d
mips_flog2_w, // llvm.mips.flog2.w
mips_fmadd_d, // llvm.mips.fmadd.d
mips_fmadd_w, // llvm.mips.fmadd.w
mips_fmax_a_d, // llvm.mips.fmax.a.d
mips_fmax_a_w, // llvm.mips.fmax.a.w
mips_fmax_d, // llvm.mips.fmax.d
mips_fmax_w, // llvm.mips.fmax.w
mips_fmin_a_d, // llvm.mips.fmin.a.d
mips_fmin_a_w, // llvm.mips.fmin.a.w
mips_fmin_d, // llvm.mips.fmin.d
mips_fmin_w, // llvm.mips.fmin.w
mips_fmsub_d, // llvm.mips.fmsub.d
mips_fmsub_w, // llvm.mips.fmsub.w
mips_fmul_d, // llvm.mips.fmul.d
mips_fmul_w, // llvm.mips.fmul.w
mips_frcp_d, // llvm.mips.frcp.d
mips_frcp_w, // llvm.mips.frcp.w
mips_frint_d, // llvm.mips.frint.d
mips_frint_w, // llvm.mips.frint.w
mips_frsqrt_d, // llvm.mips.frsqrt.d
mips_frsqrt_w, // llvm.mips.frsqrt.w
mips_fsaf_d, // llvm.mips.fsaf.d
mips_fsaf_w, // llvm.mips.fsaf.w
mips_fseq_d, // llvm.mips.fseq.d
mips_fseq_w, // llvm.mips.fseq.w
mips_fsle_d, // llvm.mips.fsle.d
mips_fsle_w, // llvm.mips.fsle.w
mips_fslt_d, // llvm.mips.fslt.d
mips_fslt_w, // llvm.mips.fslt.w
mips_fsne_d, // llvm.mips.fsne.d
mips_fsne_w, // llvm.mips.fsne.w
mips_fsor_d, // llvm.mips.fsor.d
mips_fsor_w, // llvm.mips.fsor.w
mips_fsqrt_d, // llvm.mips.fsqrt.d
mips_fsqrt_w, // llvm.mips.fsqrt.w
mips_fsub_d, // llvm.mips.fsub.d
mips_fsub_w, // llvm.mips.fsub.w
mips_fsueq_d, // llvm.mips.fsueq.d
mips_fsueq_w, // llvm.mips.fsueq.w
mips_fsule_d, // llvm.mips.fsule.d
mips_fsule_w, // llvm.mips.fsule.w
mips_fsult_d, // llvm.mips.fsult.d
mips_fsult_w, // llvm.mips.fsult.w
mips_fsun_d, // llvm.mips.fsun.d
mips_fsun_w, // llvm.mips.fsun.w
mips_fsune_d, // llvm.mips.fsune.d
mips_fsune_w, // llvm.mips.fsune.w
mips_ftint_s_d, // llvm.mips.ftint.s.d
mips_ftint_s_w, // llvm.mips.ftint.s.w
mips_ftint_u_d, // llvm.mips.ftint.u.d
mips_ftint_u_w, // llvm.mips.ftint.u.w
mips_ftq_h, // llvm.mips.ftq.h
mips_ftq_w, // llvm.mips.ftq.w
mips_ftrunc_s_d, // llvm.mips.ftrunc.s.d
mips_ftrunc_s_w, // llvm.mips.ftrunc.s.w
mips_ftrunc_u_d, // llvm.mips.ftrunc.u.d
mips_ftrunc_u_w, // llvm.mips.ftrunc.u.w
mips_hadd_s_d, // llvm.mips.hadd.s.d
mips_hadd_s_h, // llvm.mips.hadd.s.h
mips_hadd_s_w, // llvm.mips.hadd.s.w
mips_hadd_u_d, // llvm.mips.hadd.u.d
mips_hadd_u_h, // llvm.mips.hadd.u.h
mips_hadd_u_w, // llvm.mips.hadd.u.w
mips_hsub_s_d, // llvm.mips.hsub.s.d
mips_hsub_s_h, // llvm.mips.hsub.s.h
mips_hsub_s_w, // llvm.mips.hsub.s.w
mips_hsub_u_d, // llvm.mips.hsub.u.d
mips_hsub_u_h, // llvm.mips.hsub.u.h
mips_hsub_u_w, // llvm.mips.hsub.u.w
mips_ilvev_b, // llvm.mips.ilvev.b
mips_ilvev_d, // llvm.mips.ilvev.d
mips_ilvev_h, // llvm.mips.ilvev.h
mips_ilvev_w, // llvm.mips.ilvev.w
mips_ilvl_b, // llvm.mips.ilvl.b
mips_ilvl_d, // llvm.mips.ilvl.d
mips_ilvl_h, // llvm.mips.ilvl.h
mips_ilvl_w, // llvm.mips.ilvl.w
mips_ilvod_b, // llvm.mips.ilvod.b
mips_ilvod_d, // llvm.mips.ilvod.d
mips_ilvod_h, // llvm.mips.ilvod.h
mips_ilvod_w, // llvm.mips.ilvod.w
mips_ilvr_b, // llvm.mips.ilvr.b
mips_ilvr_d, // llvm.mips.ilvr.d
mips_ilvr_h, // llvm.mips.ilvr.h
mips_ilvr_w, // llvm.mips.ilvr.w
mips_insert_b, // llvm.mips.insert.b
mips_insert_d, // llvm.mips.insert.d
mips_insert_h, // llvm.mips.insert.h
mips_insert_w, // llvm.mips.insert.w
mips_insv, // llvm.mips.insv
mips_insve_b, // llvm.mips.insve.b
mips_insve_d, // llvm.mips.insve.d
mips_insve_h, // llvm.mips.insve.h
mips_insve_w, // llvm.mips.insve.w
mips_lbux, // llvm.mips.lbux
mips_ld_b, // llvm.mips.ld.b
mips_ld_d, // llvm.mips.ld.d
mips_ld_h, // llvm.mips.ld.h
mips_ld_w, // llvm.mips.ld.w
mips_ldi_b, // llvm.mips.ldi.b
mips_ldi_d, // llvm.mips.ldi.d
mips_ldi_h, // llvm.mips.ldi.h
mips_ldi_w, // llvm.mips.ldi.w
mips_lhx, // llvm.mips.lhx
mips_lsa, // llvm.mips.lsa
mips_lwx, // llvm.mips.lwx
mips_madd, // llvm.mips.madd
mips_madd_q_h, // llvm.mips.madd.q.h
mips_madd_q_w, // llvm.mips.madd.q.w
mips_maddr_q_h, // llvm.mips.maddr.q.h
mips_maddr_q_w, // llvm.mips.maddr.q.w
mips_maddu, // llvm.mips.maddu
mips_maddv_b, // llvm.mips.maddv.b
mips_maddv_d, // llvm.mips.maddv.d
mips_maddv_h, // llvm.mips.maddv.h
mips_maddv_w, // llvm.mips.maddv.w
mips_maq_s_w_phl, // llvm.mips.maq.s.w.phl
mips_maq_s_w_phr, // llvm.mips.maq.s.w.phr
mips_maq_sa_w_phl, // llvm.mips.maq.sa.w.phl
mips_maq_sa_w_phr, // llvm.mips.maq.sa.w.phr
mips_max_a_b, // llvm.mips.max.a.b
mips_max_a_d, // llvm.mips.max.a.d
mips_max_a_h, // llvm.mips.max.a.h
mips_max_a_w, // llvm.mips.max.a.w
mips_max_s_b, // llvm.mips.max.s.b
mips_max_s_d, // llvm.mips.max.s.d
mips_max_s_h, // llvm.mips.max.s.h
mips_max_s_w, // llvm.mips.max.s.w
mips_max_u_b, // llvm.mips.max.u.b
mips_max_u_d, // llvm.mips.max.u.d
mips_max_u_h, // llvm.mips.max.u.h
mips_max_u_w, // llvm.mips.max.u.w
mips_maxi_s_b, // llvm.mips.maxi.s.b
mips_maxi_s_d, // llvm.mips.maxi.s.d
mips_maxi_s_h, // llvm.mips.maxi.s.h
mips_maxi_s_w, // llvm.mips.maxi.s.w
mips_maxi_u_b, // llvm.mips.maxi.u.b
mips_maxi_u_d, // llvm.mips.maxi.u.d
mips_maxi_u_h, // llvm.mips.maxi.u.h
mips_maxi_u_w, // llvm.mips.maxi.u.w
mips_min_a_b, // llvm.mips.min.a.b
mips_min_a_d, // llvm.mips.min.a.d
mips_min_a_h, // llvm.mips.min.a.h
mips_min_a_w, // llvm.mips.min.a.w
mips_min_s_b, // llvm.mips.min.s.b
mips_min_s_d, // llvm.mips.min.s.d
mips_min_s_h, // llvm.mips.min.s.h
mips_min_s_w, // llvm.mips.min.s.w
mips_min_u_b, // llvm.mips.min.u.b
mips_min_u_d, // llvm.mips.min.u.d
mips_min_u_h, // llvm.mips.min.u.h
mips_min_u_w, // llvm.mips.min.u.w
mips_mini_s_b, // llvm.mips.mini.s.b
mips_mini_s_d, // llvm.mips.mini.s.d
mips_mini_s_h, // llvm.mips.mini.s.h
mips_mini_s_w, // llvm.mips.mini.s.w
mips_mini_u_b, // llvm.mips.mini.u.b
mips_mini_u_d, // llvm.mips.mini.u.d
mips_mini_u_h, // llvm.mips.mini.u.h
mips_mini_u_w, // llvm.mips.mini.u.w
mips_mod_s_b, // llvm.mips.mod.s.b
mips_mod_s_d, // llvm.mips.mod.s.d
mips_mod_s_h, // llvm.mips.mod.s.h
mips_mod_s_w, // llvm.mips.mod.s.w
mips_mod_u_b, // llvm.mips.mod.u.b
mips_mod_u_d, // llvm.mips.mod.u.d
mips_mod_u_h, // llvm.mips.mod.u.h
mips_mod_u_w, // llvm.mips.mod.u.w
mips_modsub, // llvm.mips.modsub
mips_move_v, // llvm.mips.move.v
mips_msub, // llvm.mips.msub
mips_msub_q_h, // llvm.mips.msub.q.h
mips_msub_q_w, // llvm.mips.msub.q.w
mips_msubr_q_h, // llvm.mips.msubr.q.h
mips_msubr_q_w, // llvm.mips.msubr.q.w
mips_msubu, // llvm.mips.msubu
mips_msubv_b, // llvm.mips.msubv.b
mips_msubv_d, // llvm.mips.msubv.d
mips_msubv_h, // llvm.mips.msubv.h
mips_msubv_w, // llvm.mips.msubv.w
mips_mthlip, // llvm.mips.mthlip
mips_mul_ph, // llvm.mips.mul.ph
mips_mul_q_h, // llvm.mips.mul.q.h
mips_mul_q_w, // llvm.mips.mul.q.w
mips_mul_s_ph, // llvm.mips.mul.s.ph
mips_muleq_s_w_phl, // llvm.mips.muleq.s.w.phl
mips_muleq_s_w_phr, // llvm.mips.muleq.s.w.phr
mips_muleu_s_ph_qbl, // llvm.mips.muleu.s.ph.qbl
mips_muleu_s_ph_qbr, // llvm.mips.muleu.s.ph.qbr
mips_mulq_rs_ph, // llvm.mips.mulq.rs.ph
mips_mulq_rs_w, // llvm.mips.mulq.rs.w
mips_mulq_s_ph, // llvm.mips.mulq.s.ph
mips_mulq_s_w, // llvm.mips.mulq.s.w
mips_mulr_q_h, // llvm.mips.mulr.q.h
mips_mulr_q_w, // llvm.mips.mulr.q.w
mips_mulsa_w_ph, // llvm.mips.mulsa.w.ph
mips_mulsaq_s_w_ph, // llvm.mips.mulsaq.s.w.ph
mips_mult, // llvm.mips.mult
mips_multu, // llvm.mips.multu
mips_mulv_b, // llvm.mips.mulv.b
mips_mulv_d, // llvm.mips.mulv.d
mips_mulv_h, // llvm.mips.mulv.h
mips_mulv_w, // llvm.mips.mulv.w
mips_nloc_b, // llvm.mips.nloc.b
mips_nloc_d, // llvm.mips.nloc.d
mips_nloc_h, // llvm.mips.nloc.h
mips_nloc_w, // llvm.mips.nloc.w
mips_nlzc_b, // llvm.mips.nlzc.b
mips_nlzc_d, // llvm.mips.nlzc.d
mips_nlzc_h, // llvm.mips.nlzc.h
mips_nlzc_w, // llvm.mips.nlzc.w
mips_nor_v, // llvm.mips.nor.v
mips_nori_b, // llvm.mips.nori.b
mips_or_v, // llvm.mips.or.v
mips_ori_b, // llvm.mips.ori.b
mips_packrl_ph, // llvm.mips.packrl.ph
mips_pckev_b, // llvm.mips.pckev.b
mips_pckev_d, // llvm.mips.pckev.d
mips_pckev_h, // llvm.mips.pckev.h
mips_pckev_w, // llvm.mips.pckev.w
mips_pckod_b, // llvm.mips.pckod.b
mips_pckod_d, // llvm.mips.pckod.d
mips_pckod_h, // llvm.mips.pckod.h
mips_pckod_w, // llvm.mips.pckod.w
mips_pcnt_b, // llvm.mips.pcnt.b
mips_pcnt_d, // llvm.mips.pcnt.d
mips_pcnt_h, // llvm.mips.pcnt.h
mips_pcnt_w, // llvm.mips.pcnt.w
mips_pick_ph, // llvm.mips.pick.ph
mips_pick_qb, // llvm.mips.pick.qb
mips_preceq_w_phl, // llvm.mips.preceq.w.phl
mips_preceq_w_phr, // llvm.mips.preceq.w.phr
mips_precequ_ph_qbl, // llvm.mips.precequ.ph.qbl
mips_precequ_ph_qbla, // llvm.mips.precequ.ph.qbla
mips_precequ_ph_qbr, // llvm.mips.precequ.ph.qbr
mips_precequ_ph_qbra, // llvm.mips.precequ.ph.qbra
mips_preceu_ph_qbl, // llvm.mips.preceu.ph.qbl
mips_preceu_ph_qbla, // llvm.mips.preceu.ph.qbla
mips_preceu_ph_qbr, // llvm.mips.preceu.ph.qbr
mips_preceu_ph_qbra, // llvm.mips.preceu.ph.qbra
mips_precr_qb_ph, // llvm.mips.precr.qb.ph
mips_precr_sra_ph_w, // llvm.mips.precr.sra.ph.w
mips_precr_sra_r_ph_w, // llvm.mips.precr.sra.r.ph.w
mips_precrq_ph_w, // llvm.mips.precrq.ph.w
mips_precrq_qb_ph, // llvm.mips.precrq.qb.ph
mips_precrq_rs_ph_w, // llvm.mips.precrq.rs.ph.w
mips_precrqu_s_qb_ph, // llvm.mips.precrqu.s.qb.ph
mips_prepend, // llvm.mips.prepend
mips_raddu_w_qb, // llvm.mips.raddu.w.qb
mips_rddsp, // llvm.mips.rddsp
mips_repl_ph, // llvm.mips.repl.ph
mips_repl_qb, // llvm.mips.repl.qb
mips_sat_s_b, // llvm.mips.sat.s.b
mips_sat_s_d, // llvm.mips.sat.s.d
mips_sat_s_h, // llvm.mips.sat.s.h
mips_sat_s_w, // llvm.mips.sat.s.w
mips_sat_u_b, // llvm.mips.sat.u.b
mips_sat_u_d, // llvm.mips.sat.u.d
mips_sat_u_h, // llvm.mips.sat.u.h
mips_sat_u_w, // llvm.mips.sat.u.w
mips_shf_b, // llvm.mips.shf.b
mips_shf_h, // llvm.mips.shf.h
mips_shf_w, // llvm.mips.shf.w
mips_shilo, // llvm.mips.shilo
mips_shll_ph, // llvm.mips.shll.ph
mips_shll_qb, // llvm.mips.shll.qb
mips_shll_s_ph, // llvm.mips.shll.s.ph
mips_shll_s_w, // llvm.mips.shll.s.w
mips_shra_ph, // llvm.mips.shra.ph
mips_shra_qb, // llvm.mips.shra.qb
mips_shra_r_ph, // llvm.mips.shra.r.ph
mips_shra_r_qb, // llvm.mips.shra.r.qb
mips_shra_r_w, // llvm.mips.shra.r.w
mips_shrl_ph, // llvm.mips.shrl.ph
mips_shrl_qb, // llvm.mips.shrl.qb
mips_sld_b, // llvm.mips.sld.b
mips_sld_d, // llvm.mips.sld.d
mips_sld_h, // llvm.mips.sld.h
mips_sld_w, // llvm.mips.sld.w
mips_sldi_b, // llvm.mips.sldi.b
mips_sldi_d, // llvm.mips.sldi.d
mips_sldi_h, // llvm.mips.sldi.h
mips_sldi_w, // llvm.mips.sldi.w
mips_sll_b, // llvm.mips.sll.b
mips_sll_d, // llvm.mips.sll.d
mips_sll_h, // llvm.mips.sll.h
mips_sll_w, // llvm.mips.sll.w
mips_slli_b, // llvm.mips.slli.b
mips_slli_d, // llvm.mips.slli.d
mips_slli_h, // llvm.mips.slli.h
mips_slli_w, // llvm.mips.slli.w
mips_splat_b, // llvm.mips.splat.b
mips_splat_d, // llvm.mips.splat.d
mips_splat_h, // llvm.mips.splat.h
mips_splat_w, // llvm.mips.splat.w
mips_splati_b, // llvm.mips.splati.b
mips_splati_d, // llvm.mips.splati.d
mips_splati_h, // llvm.mips.splati.h
mips_splati_w, // llvm.mips.splati.w
mips_sra_b, // llvm.mips.sra.b
mips_sra_d, // llvm.mips.sra.d
mips_sra_h, // llvm.mips.sra.h
mips_sra_w, // llvm.mips.sra.w
mips_srai_b, // llvm.mips.srai.b
mips_srai_d, // llvm.mips.srai.d
mips_srai_h, // llvm.mips.srai.h
mips_srai_w, // llvm.mips.srai.w
mips_srar_b, // llvm.mips.srar.b
mips_srar_d, // llvm.mips.srar.d
mips_srar_h, // llvm.mips.srar.h
mips_srar_w, // llvm.mips.srar.w
mips_srari_b, // llvm.mips.srari.b
mips_srari_d, // llvm.mips.srari.d
mips_srari_h, // llvm.mips.srari.h
mips_srari_w, // llvm.mips.srari.w
mips_srl_b, // llvm.mips.srl.b
mips_srl_d, // llvm.mips.srl.d
mips_srl_h, // llvm.mips.srl.h
mips_srl_w, // llvm.mips.srl.w
mips_srli_b, // llvm.mips.srli.b
mips_srli_d, // llvm.mips.srli.d
mips_srli_h, // llvm.mips.srli.h
mips_srli_w, // llvm.mips.srli.w
mips_srlr_b, // llvm.mips.srlr.b
mips_srlr_d, // llvm.mips.srlr.d
mips_srlr_h, // llvm.mips.srlr.h
mips_srlr_w, // llvm.mips.srlr.w
mips_srlri_b, // llvm.mips.srlri.b
mips_srlri_d, // llvm.mips.srlri.d
mips_srlri_h, // llvm.mips.srlri.h
mips_srlri_w, // llvm.mips.srlri.w
mips_st_b, // llvm.mips.st.b
mips_st_d, // llvm.mips.st.d
mips_st_h, // llvm.mips.st.h
mips_st_w, // llvm.mips.st.w
mips_subq_ph, // llvm.mips.subq.ph
mips_subq_s_ph, // llvm.mips.subq.s.ph
mips_subq_s_w, // llvm.mips.subq.s.w
mips_subqh_ph, // llvm.mips.subqh.ph
mips_subqh_r_ph, // llvm.mips.subqh.r.ph
mips_subqh_r_w, // llvm.mips.subqh.r.w
mips_subqh_w, // llvm.mips.subqh.w
mips_subs_s_b, // llvm.mips.subs.s.b
mips_subs_s_d, // llvm.mips.subs.s.d
mips_subs_s_h, // llvm.mips.subs.s.h
mips_subs_s_w, // llvm.mips.subs.s.w
mips_subs_u_b, // llvm.mips.subs.u.b
mips_subs_u_d, // llvm.mips.subs.u.d
mips_subs_u_h, // llvm.mips.subs.u.h
mips_subs_u_w, // llvm.mips.subs.u.w
mips_subsus_u_b, // llvm.mips.subsus.u.b
mips_subsus_u_d, // llvm.mips.subsus.u.d
mips_subsus_u_h, // llvm.mips.subsus.u.h
mips_subsus_u_w, // llvm.mips.subsus.u.w
mips_subsuu_s_b, // llvm.mips.subsuu.s.b
mips_subsuu_s_d, // llvm.mips.subsuu.s.d
mips_subsuu_s_h, // llvm.mips.subsuu.s.h
mips_subsuu_s_w, // llvm.mips.subsuu.s.w
mips_subu_ph, // llvm.mips.subu.ph
mips_subu_qb, // llvm.mips.subu.qb
mips_subu_s_ph, // llvm.mips.subu.s.ph
mips_subu_s_qb, // llvm.mips.subu.s.qb
mips_subuh_qb, // llvm.mips.subuh.qb
mips_subuh_r_qb, // llvm.mips.subuh.r.qb
mips_subv_b, // llvm.mips.subv.b
mips_subv_d, // llvm.mips.subv.d
mips_subv_h, // llvm.mips.subv.h
mips_subv_w, // llvm.mips.subv.w
mips_subvi_b, // llvm.mips.subvi.b
mips_subvi_d, // llvm.mips.subvi.d
mips_subvi_h, // llvm.mips.subvi.h
mips_subvi_w, // llvm.mips.subvi.w
mips_vshf_b, // llvm.mips.vshf.b
mips_vshf_d, // llvm.mips.vshf.d
mips_vshf_h, // llvm.mips.vshf.h
mips_vshf_w, // llvm.mips.vshf.w
mips_wrdsp, // llvm.mips.wrdsp
mips_xor_v, // llvm.mips.xor.v
mips_xori_b, // llvm.mips.xori.b
nvvm_add_rm_d, // llvm.nvvm.add.rm.d
nvvm_add_rm_f, // llvm.nvvm.add.rm.f
nvvm_add_rm_ftz_f, // llvm.nvvm.add.rm.ftz.f
nvvm_add_rn_d, // llvm.nvvm.add.rn.d
nvvm_add_rn_f, // llvm.nvvm.add.rn.f
nvvm_add_rn_ftz_f, // llvm.nvvm.add.rn.ftz.f
nvvm_add_rp_d, // llvm.nvvm.add.rp.d
nvvm_add_rp_f, // llvm.nvvm.add.rp.f
nvvm_add_rp_ftz_f, // llvm.nvvm.add.rp.ftz.f
nvvm_add_rz_d, // llvm.nvvm.add.rz.d
nvvm_add_rz_f, // llvm.nvvm.add.rz.f
nvvm_add_rz_ftz_f, // llvm.nvvm.add.rz.ftz.f
nvvm_atomic_add_gen_f_cta, // llvm.nvvm.atomic.add.gen.f.cta
nvvm_atomic_add_gen_f_sys, // llvm.nvvm.atomic.add.gen.f.sys
nvvm_atomic_add_gen_i_cta, // llvm.nvvm.atomic.add.gen.i.cta
nvvm_atomic_add_gen_i_sys, // llvm.nvvm.atomic.add.gen.i.sys
nvvm_atomic_and_gen_i_cta, // llvm.nvvm.atomic.and.gen.i.cta
nvvm_atomic_and_gen_i_sys, // llvm.nvvm.atomic.and.gen.i.sys
nvvm_atomic_cas_gen_i_cta, // llvm.nvvm.atomic.cas.gen.i.cta
nvvm_atomic_cas_gen_i_sys, // llvm.nvvm.atomic.cas.gen.i.sys
nvvm_atomic_dec_gen_i_cta, // llvm.nvvm.atomic.dec.gen.i.cta
nvvm_atomic_dec_gen_i_sys, // llvm.nvvm.atomic.dec.gen.i.sys
nvvm_atomic_exch_gen_i_cta, // llvm.nvvm.atomic.exch.gen.i.cta
nvvm_atomic_exch_gen_i_sys, // llvm.nvvm.atomic.exch.gen.i.sys
nvvm_atomic_inc_gen_i_cta, // llvm.nvvm.atomic.inc.gen.i.cta
nvvm_atomic_inc_gen_i_sys, // llvm.nvvm.atomic.inc.gen.i.sys
nvvm_atomic_load_add_f32, // llvm.nvvm.atomic.load.add.f32
nvvm_atomic_load_add_f64, // llvm.nvvm.atomic.load.add.f64
nvvm_atomic_load_dec_32, // llvm.nvvm.atomic.load.dec.32
nvvm_atomic_load_inc_32, // llvm.nvvm.atomic.load.inc.32
nvvm_atomic_max_gen_i_cta, // llvm.nvvm.atomic.max.gen.i.cta
nvvm_atomic_max_gen_i_sys, // llvm.nvvm.atomic.max.gen.i.sys
nvvm_atomic_min_gen_i_cta, // llvm.nvvm.atomic.min.gen.i.cta
nvvm_atomic_min_gen_i_sys, // llvm.nvvm.atomic.min.gen.i.sys
nvvm_atomic_or_gen_i_cta, // llvm.nvvm.atomic.or.gen.i.cta
nvvm_atomic_or_gen_i_sys, // llvm.nvvm.atomic.or.gen.i.sys
nvvm_atomic_xor_gen_i_cta, // llvm.nvvm.atomic.xor.gen.i.cta
nvvm_atomic_xor_gen_i_sys, // llvm.nvvm.atomic.xor.gen.i.sys
nvvm_bar_sync, // llvm.nvvm.bar.sync
nvvm_bar_warp_sync, // llvm.nvvm.bar.warp.sync
nvvm_barrier, // llvm.nvvm.barrier
nvvm_barrier_n, // llvm.nvvm.barrier.n
nvvm_barrier_sync, // llvm.nvvm.barrier.sync
nvvm_barrier_sync_cnt, // llvm.nvvm.barrier.sync.cnt
nvvm_barrier0, // llvm.nvvm.barrier0
nvvm_barrier0_and, // llvm.nvvm.barrier0.and
nvvm_barrier0_or, // llvm.nvvm.barrier0.or
nvvm_barrier0_popc, // llvm.nvvm.barrier0.popc
nvvm_bitcast_d2ll, // llvm.nvvm.bitcast.d2ll
nvvm_bitcast_f2i, // llvm.nvvm.bitcast.f2i
nvvm_bitcast_i2f, // llvm.nvvm.bitcast.i2f
nvvm_bitcast_ll2d, // llvm.nvvm.bitcast.ll2d
nvvm_ceil_d, // llvm.nvvm.ceil.d
nvvm_ceil_f, // llvm.nvvm.ceil.f
nvvm_ceil_ftz_f, // llvm.nvvm.ceil.ftz.f
nvvm_compiler_error, // llvm.nvvm.compiler.error
nvvm_compiler_warn, // llvm.nvvm.compiler.warn
nvvm_cos_approx_f, // llvm.nvvm.cos.approx.f
nvvm_cos_approx_ftz_f, // llvm.nvvm.cos.approx.ftz.f
nvvm_d2f_rm, // llvm.nvvm.d2f.rm
nvvm_d2f_rm_ftz, // llvm.nvvm.d2f.rm.ftz
nvvm_d2f_rn, // llvm.nvvm.d2f.rn
nvvm_d2f_rn_ftz, // llvm.nvvm.d2f.rn.ftz
nvvm_d2f_rp, // llvm.nvvm.d2f.rp
nvvm_d2f_rp_ftz, // llvm.nvvm.d2f.rp.ftz
nvvm_d2f_rz, // llvm.nvvm.d2f.rz
nvvm_d2f_rz_ftz, // llvm.nvvm.d2f.rz.ftz
nvvm_d2i_hi, // llvm.nvvm.d2i.hi
nvvm_d2i_lo, // llvm.nvvm.d2i.lo
nvvm_d2i_rm, // llvm.nvvm.d2i.rm
nvvm_d2i_rn, // llvm.nvvm.d2i.rn
nvvm_d2i_rp, // llvm.nvvm.d2i.rp
nvvm_d2i_rz, // llvm.nvvm.d2i.rz
nvvm_d2ll_rm, // llvm.nvvm.d2ll.rm
nvvm_d2ll_rn, // llvm.nvvm.d2ll.rn
nvvm_d2ll_rp, // llvm.nvvm.d2ll.rp
nvvm_d2ll_rz, // llvm.nvvm.d2ll.rz
nvvm_d2ui_rm, // llvm.nvvm.d2ui.rm
nvvm_d2ui_rn, // llvm.nvvm.d2ui.rn
nvvm_d2ui_rp, // llvm.nvvm.d2ui.rp
nvvm_d2ui_rz, // llvm.nvvm.d2ui.rz
nvvm_d2ull_rm, // llvm.nvvm.d2ull.rm
nvvm_d2ull_rn, // llvm.nvvm.d2ull.rn
nvvm_d2ull_rp, // llvm.nvvm.d2ull.rp
nvvm_d2ull_rz, // llvm.nvvm.d2ull.rz
nvvm_div_approx_f, // llvm.nvvm.div.approx.f
nvvm_div_approx_ftz_f, // llvm.nvvm.div.approx.ftz.f
nvvm_div_rm_d, // llvm.nvvm.div.rm.d
nvvm_div_rm_f, // llvm.nvvm.div.rm.f
nvvm_div_rm_ftz_f, // llvm.nvvm.div.rm.ftz.f
nvvm_div_rn_d, // llvm.nvvm.div.rn.d
nvvm_div_rn_f, // llvm.nvvm.div.rn.f
nvvm_div_rn_ftz_f, // llvm.nvvm.div.rn.ftz.f
nvvm_div_rp_d, // llvm.nvvm.div.rp.d
nvvm_div_rp_f, // llvm.nvvm.div.rp.f
nvvm_div_rp_ftz_f, // llvm.nvvm.div.rp.ftz.f
nvvm_div_rz_d, // llvm.nvvm.div.rz.d
nvvm_div_rz_f, // llvm.nvvm.div.rz.f
nvvm_div_rz_ftz_f, // llvm.nvvm.div.rz.ftz.f
nvvm_ex2_approx_d, // llvm.nvvm.ex2.approx.d
nvvm_ex2_approx_f, // llvm.nvvm.ex2.approx.f
nvvm_ex2_approx_ftz_f, // llvm.nvvm.ex2.approx.ftz.f
nvvm_f2h_rn, // llvm.nvvm.f2h.rn
nvvm_f2h_rn_ftz, // llvm.nvvm.f2h.rn.ftz
nvvm_f2i_rm, // llvm.nvvm.f2i.rm
nvvm_f2i_rm_ftz, // llvm.nvvm.f2i.rm.ftz
nvvm_f2i_rn, // llvm.nvvm.f2i.rn
nvvm_f2i_rn_ftz, // llvm.nvvm.f2i.rn.ftz
nvvm_f2i_rp, // llvm.nvvm.f2i.rp
nvvm_f2i_rp_ftz, // llvm.nvvm.f2i.rp.ftz
nvvm_f2i_rz, // llvm.nvvm.f2i.rz
nvvm_f2i_rz_ftz, // llvm.nvvm.f2i.rz.ftz
nvvm_f2ll_rm, // llvm.nvvm.f2ll.rm
nvvm_f2ll_rm_ftz, // llvm.nvvm.f2ll.rm.ftz
nvvm_f2ll_rn, // llvm.nvvm.f2ll.rn
nvvm_f2ll_rn_ftz, // llvm.nvvm.f2ll.rn.ftz
nvvm_f2ll_rp, // llvm.nvvm.f2ll.rp
nvvm_f2ll_rp_ftz, // llvm.nvvm.f2ll.rp.ftz
nvvm_f2ll_rz, // llvm.nvvm.f2ll.rz
nvvm_f2ll_rz_ftz, // llvm.nvvm.f2ll.rz.ftz
nvvm_f2ui_rm, // llvm.nvvm.f2ui.rm
nvvm_f2ui_rm_ftz, // llvm.nvvm.f2ui.rm.ftz
nvvm_f2ui_rn, // llvm.nvvm.f2ui.rn
nvvm_f2ui_rn_ftz, // llvm.nvvm.f2ui.rn.ftz
nvvm_f2ui_rp, // llvm.nvvm.f2ui.rp
nvvm_f2ui_rp_ftz, // llvm.nvvm.f2ui.rp.ftz
nvvm_f2ui_rz, // llvm.nvvm.f2ui.rz
nvvm_f2ui_rz_ftz, // llvm.nvvm.f2ui.rz.ftz
nvvm_f2ull_rm, // llvm.nvvm.f2ull.rm
nvvm_f2ull_rm_ftz, // llvm.nvvm.f2ull.rm.ftz
nvvm_f2ull_rn, // llvm.nvvm.f2ull.rn
nvvm_f2ull_rn_ftz, // llvm.nvvm.f2ull.rn.ftz
nvvm_f2ull_rp, // llvm.nvvm.f2ull.rp
nvvm_f2ull_rp_ftz, // llvm.nvvm.f2ull.rp.ftz
nvvm_f2ull_rz, // llvm.nvvm.f2ull.rz
nvvm_f2ull_rz_ftz, // llvm.nvvm.f2ull.rz.ftz
nvvm_fabs_d, // llvm.nvvm.fabs.d
nvvm_fabs_f, // llvm.nvvm.fabs.f
nvvm_fabs_ftz_f, // llvm.nvvm.fabs.ftz.f
nvvm_floor_d, // llvm.nvvm.floor.d
nvvm_floor_f, // llvm.nvvm.floor.f
nvvm_floor_ftz_f, // llvm.nvvm.floor.ftz.f
nvvm_fma_rm_d, // llvm.nvvm.fma.rm.d
nvvm_fma_rm_f, // llvm.nvvm.fma.rm.f
nvvm_fma_rm_ftz_f, // llvm.nvvm.fma.rm.ftz.f
nvvm_fma_rn_d, // llvm.nvvm.fma.rn.d
nvvm_fma_rn_f, // llvm.nvvm.fma.rn.f
nvvm_fma_rn_ftz_f, // llvm.nvvm.fma.rn.ftz.f
nvvm_fma_rp_d, // llvm.nvvm.fma.rp.d
nvvm_fma_rp_f, // llvm.nvvm.fma.rp.f
nvvm_fma_rp_ftz_f, // llvm.nvvm.fma.rp.ftz.f
nvvm_fma_rz_d, // llvm.nvvm.fma.rz.d
nvvm_fma_rz_f, // llvm.nvvm.fma.rz.f
nvvm_fma_rz_ftz_f, // llvm.nvvm.fma.rz.ftz.f
nvvm_fmax_d, // llvm.nvvm.fmax.d
nvvm_fmax_f, // llvm.nvvm.fmax.f
nvvm_fmax_ftz_f, // llvm.nvvm.fmax.ftz.f
nvvm_fmin_d, // llvm.nvvm.fmin.d
nvvm_fmin_f, // llvm.nvvm.fmin.f
nvvm_fmin_ftz_f, // llvm.nvvm.fmin.ftz.f
nvvm_fns, // llvm.nvvm.fns
nvvm_i2d_rm, // llvm.nvvm.i2d.rm
nvvm_i2d_rn, // llvm.nvvm.i2d.rn
nvvm_i2d_rp, // llvm.nvvm.i2d.rp
nvvm_i2d_rz, // llvm.nvvm.i2d.rz
nvvm_i2f_rm, // llvm.nvvm.i2f.rm
nvvm_i2f_rn, // llvm.nvvm.i2f.rn
nvvm_i2f_rp, // llvm.nvvm.i2f.rp
nvvm_i2f_rz, // llvm.nvvm.i2f.rz
nvvm_isspacep_const, // llvm.nvvm.isspacep.const
nvvm_isspacep_global, // llvm.nvvm.isspacep.global
nvvm_isspacep_local, // llvm.nvvm.isspacep.local
nvvm_isspacep_shared, // llvm.nvvm.isspacep.shared
nvvm_istypep_sampler, // llvm.nvvm.istypep.sampler
nvvm_istypep_surface, // llvm.nvvm.istypep.surface
nvvm_istypep_texture, // llvm.nvvm.istypep.texture
nvvm_ldg_global_f, // llvm.nvvm.ldg.global.f
nvvm_ldg_global_i, // llvm.nvvm.ldg.global.i
nvvm_ldg_global_p, // llvm.nvvm.ldg.global.p
nvvm_ldu_global_f, // llvm.nvvm.ldu.global.f
nvvm_ldu_global_i, // llvm.nvvm.ldu.global.i
nvvm_ldu_global_p, // llvm.nvvm.ldu.global.p
nvvm_lg2_approx_d, // llvm.nvvm.lg2.approx.d
nvvm_lg2_approx_f, // llvm.nvvm.lg2.approx.f
nvvm_lg2_approx_ftz_f, // llvm.nvvm.lg2.approx.ftz.f
nvvm_ll2d_rm, // llvm.nvvm.ll2d.rm
nvvm_ll2d_rn, // llvm.nvvm.ll2d.rn
nvvm_ll2d_rp, // llvm.nvvm.ll2d.rp
nvvm_ll2d_rz, // llvm.nvvm.ll2d.rz
nvvm_ll2f_rm, // llvm.nvvm.ll2f.rm
nvvm_ll2f_rn, // llvm.nvvm.ll2f.rn
nvvm_ll2f_rp, // llvm.nvvm.ll2f.rp
nvvm_ll2f_rz, // llvm.nvvm.ll2f.rz
nvvm_lohi_i2d, // llvm.nvvm.lohi.i2d
nvvm_match_all_sync_i32p, // llvm.nvvm.match.all.sync.i32p
nvvm_match_all_sync_i64p, // llvm.nvvm.match.all.sync.i64p
nvvm_match_any_sync_i32, // llvm.nvvm.match.any.sync.i32
nvvm_match_any_sync_i64, // llvm.nvvm.match.any.sync.i64
nvvm_membar_cta, // llvm.nvvm.membar.cta
nvvm_membar_gl, // llvm.nvvm.membar.gl
nvvm_membar_sys, // llvm.nvvm.membar.sys
nvvm_move_double, // llvm.nvvm.move.double
nvvm_move_float, // llvm.nvvm.move.float
nvvm_move_i16, // llvm.nvvm.move.i16
nvvm_move_i32, // llvm.nvvm.move.i32
nvvm_move_i64, // llvm.nvvm.move.i64
nvvm_move_ptr, // llvm.nvvm.move.ptr
nvvm_mul_rm_d, // llvm.nvvm.mul.rm.d
nvvm_mul_rm_f, // llvm.nvvm.mul.rm.f
nvvm_mul_rm_ftz_f, // llvm.nvvm.mul.rm.ftz.f
nvvm_mul_rn_d, // llvm.nvvm.mul.rn.d
nvvm_mul_rn_f, // llvm.nvvm.mul.rn.f
nvvm_mul_rn_ftz_f, // llvm.nvvm.mul.rn.ftz.f
nvvm_mul_rp_d, // llvm.nvvm.mul.rp.d
nvvm_mul_rp_f, // llvm.nvvm.mul.rp.f
nvvm_mul_rp_ftz_f, // llvm.nvvm.mul.rp.ftz.f
nvvm_mul_rz_d, // llvm.nvvm.mul.rz.d
nvvm_mul_rz_f, // llvm.nvvm.mul.rz.f
nvvm_mul_rz_ftz_f, // llvm.nvvm.mul.rz.ftz.f
nvvm_mul24_i, // llvm.nvvm.mul24.i
nvvm_mul24_ui, // llvm.nvvm.mul24.ui
nvvm_mulhi_i, // llvm.nvvm.mulhi.i
nvvm_mulhi_ll, // llvm.nvvm.mulhi.ll
nvvm_mulhi_ui, // llvm.nvvm.mulhi.ui
nvvm_mulhi_ull, // llvm.nvvm.mulhi.ull
nvvm_prmt, // llvm.nvvm.prmt
nvvm_ptr_constant_to_gen, // llvm.nvvm.ptr.constant.to.gen
nvvm_ptr_gen_to_constant, // llvm.nvvm.ptr.gen.to.constant
nvvm_ptr_gen_to_global, // llvm.nvvm.ptr.gen.to.global
nvvm_ptr_gen_to_local, // llvm.nvvm.ptr.gen.to.local
nvvm_ptr_gen_to_param, // llvm.nvvm.ptr.gen.to.param
nvvm_ptr_gen_to_shared, // llvm.nvvm.ptr.gen.to.shared
nvvm_ptr_global_to_gen, // llvm.nvvm.ptr.global.to.gen
nvvm_ptr_local_to_gen, // llvm.nvvm.ptr.local.to.gen
nvvm_ptr_shared_to_gen, // llvm.nvvm.ptr.shared.to.gen
nvvm_rcp_approx_ftz_d, // llvm.nvvm.rcp.approx.ftz.d
nvvm_rcp_rm_d, // llvm.nvvm.rcp.rm.d
nvvm_rcp_rm_f, // llvm.nvvm.rcp.rm.f
nvvm_rcp_rm_ftz_f, // llvm.nvvm.rcp.rm.ftz.f
nvvm_rcp_rn_d, // llvm.nvvm.rcp.rn.d
nvvm_rcp_rn_f, // llvm.nvvm.rcp.rn.f
nvvm_rcp_rn_ftz_f, // llvm.nvvm.rcp.rn.ftz.f
nvvm_rcp_rp_d, // llvm.nvvm.rcp.rp.d
nvvm_rcp_rp_f, // llvm.nvvm.rcp.rp.f
nvvm_rcp_rp_ftz_f, // llvm.nvvm.rcp.rp.ftz.f
nvvm_rcp_rz_d, // llvm.nvvm.rcp.rz.d
nvvm_rcp_rz_f, // llvm.nvvm.rcp.rz.f
nvvm_rcp_rz_ftz_f, // llvm.nvvm.rcp.rz.ftz.f
nvvm_read_ptx_sreg_clock, // llvm.nvvm.read.ptx.sreg.clock
nvvm_read_ptx_sreg_clock64, // llvm.nvvm.read.ptx.sreg.clock64
nvvm_read_ptx_sreg_ctaid_w, // llvm.nvvm.read.ptx.sreg.ctaid.w
nvvm_read_ptx_sreg_ctaid_x, // llvm.nvvm.read.ptx.sreg.ctaid.x
nvvm_read_ptx_sreg_ctaid_y, // llvm.nvvm.read.ptx.sreg.ctaid.y
nvvm_read_ptx_sreg_ctaid_z, // llvm.nvvm.read.ptx.sreg.ctaid.z
nvvm_read_ptx_sreg_envreg0, // llvm.nvvm.read.ptx.sreg.envreg0
nvvm_read_ptx_sreg_envreg1, // llvm.nvvm.read.ptx.sreg.envreg1
nvvm_read_ptx_sreg_envreg10, // llvm.nvvm.read.ptx.sreg.envreg10
nvvm_read_ptx_sreg_envreg11, // llvm.nvvm.read.ptx.sreg.envreg11
nvvm_read_ptx_sreg_envreg12, // llvm.nvvm.read.ptx.sreg.envreg12
nvvm_read_ptx_sreg_envreg13, // llvm.nvvm.read.ptx.sreg.envreg13
nvvm_read_ptx_sreg_envreg14, // llvm.nvvm.read.ptx.sreg.envreg14
nvvm_read_ptx_sreg_envreg15, // llvm.nvvm.read.ptx.sreg.envreg15
nvvm_read_ptx_sreg_envreg16, // llvm.nvvm.read.ptx.sreg.envreg16
nvvm_read_ptx_sreg_envreg17, // llvm.nvvm.read.ptx.sreg.envreg17
nvvm_read_ptx_sreg_envreg18, // llvm.nvvm.read.ptx.sreg.envreg18
nvvm_read_ptx_sreg_envreg19, // llvm.nvvm.read.ptx.sreg.envreg19
nvvm_read_ptx_sreg_envreg2, // llvm.nvvm.read.ptx.sreg.envreg2
nvvm_read_ptx_sreg_envreg20, // llvm.nvvm.read.ptx.sreg.envreg20
nvvm_read_ptx_sreg_envreg21, // llvm.nvvm.read.ptx.sreg.envreg21
nvvm_read_ptx_sreg_envreg22, // llvm.nvvm.read.ptx.sreg.envreg22
nvvm_read_ptx_sreg_envreg23, // llvm.nvvm.read.ptx.sreg.envreg23
nvvm_read_ptx_sreg_envreg24, // llvm.nvvm.read.ptx.sreg.envreg24
nvvm_read_ptx_sreg_envreg25, // llvm.nvvm.read.ptx.sreg.envreg25
nvvm_read_ptx_sreg_envreg26, // llvm.nvvm.read.ptx.sreg.envreg26
nvvm_read_ptx_sreg_envreg27, // llvm.nvvm.read.ptx.sreg.envreg27
nvvm_read_ptx_sreg_envreg28, // llvm.nvvm.read.ptx.sreg.envreg28
nvvm_read_ptx_sreg_envreg29, // llvm.nvvm.read.ptx.sreg.envreg29
nvvm_read_ptx_sreg_envreg3, // llvm.nvvm.read.ptx.sreg.envreg3
nvvm_read_ptx_sreg_envreg30, // llvm.nvvm.read.ptx.sreg.envreg30
nvvm_read_ptx_sreg_envreg31, // llvm.nvvm.read.ptx.sreg.envreg31
nvvm_read_ptx_sreg_envreg4, // llvm.nvvm.read.ptx.sreg.envreg4
nvvm_read_ptx_sreg_envreg5, // llvm.nvvm.read.ptx.sreg.envreg5
nvvm_read_ptx_sreg_envreg6, // llvm.nvvm.read.ptx.sreg.envreg6
nvvm_read_ptx_sreg_envreg7, // llvm.nvvm.read.ptx.sreg.envreg7
nvvm_read_ptx_sreg_envreg8, // llvm.nvvm.read.ptx.sreg.envreg8
nvvm_read_ptx_sreg_envreg9, // llvm.nvvm.read.ptx.sreg.envreg9
nvvm_read_ptx_sreg_gridid, // llvm.nvvm.read.ptx.sreg.gridid
nvvm_read_ptx_sreg_laneid, // llvm.nvvm.read.ptx.sreg.laneid
nvvm_read_ptx_sreg_lanemask_eq, // llvm.nvvm.read.ptx.sreg.lanemask.eq
nvvm_read_ptx_sreg_lanemask_ge, // llvm.nvvm.read.ptx.sreg.lanemask.ge
nvvm_read_ptx_sreg_lanemask_gt, // llvm.nvvm.read.ptx.sreg.lanemask.gt
nvvm_read_ptx_sreg_lanemask_le, // llvm.nvvm.read.ptx.sreg.lanemask.le
nvvm_read_ptx_sreg_lanemask_lt, // llvm.nvvm.read.ptx.sreg.lanemask.lt
nvvm_read_ptx_sreg_nctaid_w, // llvm.nvvm.read.ptx.sreg.nctaid.w
nvvm_read_ptx_sreg_nctaid_x, // llvm.nvvm.read.ptx.sreg.nctaid.x
nvvm_read_ptx_sreg_nctaid_y, // llvm.nvvm.read.ptx.sreg.nctaid.y
nvvm_read_ptx_sreg_nctaid_z, // llvm.nvvm.read.ptx.sreg.nctaid.z
nvvm_read_ptx_sreg_nsmid, // llvm.nvvm.read.ptx.sreg.nsmid
nvvm_read_ptx_sreg_ntid_w, // llvm.nvvm.read.ptx.sreg.ntid.w
nvvm_read_ptx_sreg_ntid_x, // llvm.nvvm.read.ptx.sreg.ntid.x
nvvm_read_ptx_sreg_ntid_y, // llvm.nvvm.read.ptx.sreg.ntid.y
nvvm_read_ptx_sreg_ntid_z, // llvm.nvvm.read.ptx.sreg.ntid.z
nvvm_read_ptx_sreg_nwarpid, // llvm.nvvm.read.ptx.sreg.nwarpid
nvvm_read_ptx_sreg_pm0, // llvm.nvvm.read.ptx.sreg.pm0
nvvm_read_ptx_sreg_pm1, // llvm.nvvm.read.ptx.sreg.pm1
nvvm_read_ptx_sreg_pm2, // llvm.nvvm.read.ptx.sreg.pm2
nvvm_read_ptx_sreg_pm3, // llvm.nvvm.read.ptx.sreg.pm3
nvvm_read_ptx_sreg_smid, // llvm.nvvm.read.ptx.sreg.smid
nvvm_read_ptx_sreg_tid_w, // llvm.nvvm.read.ptx.sreg.tid.w
nvvm_read_ptx_sreg_tid_x, // llvm.nvvm.read.ptx.sreg.tid.x
nvvm_read_ptx_sreg_tid_y, // llvm.nvvm.read.ptx.sreg.tid.y
nvvm_read_ptx_sreg_tid_z, // llvm.nvvm.read.ptx.sreg.tid.z
nvvm_read_ptx_sreg_warpid, // llvm.nvvm.read.ptx.sreg.warpid
nvvm_read_ptx_sreg_warpsize, // llvm.nvvm.read.ptx.sreg.warpsize
nvvm_reflect, // llvm.nvvm.reflect
nvvm_rotate_b32, // llvm.nvvm.rotate.b32
nvvm_rotate_b64, // llvm.nvvm.rotate.b64
nvvm_rotate_right_b64, // llvm.nvvm.rotate.right.b64
nvvm_round_d, // llvm.nvvm.round.d
nvvm_round_f, // llvm.nvvm.round.f
nvvm_round_ftz_f, // llvm.nvvm.round.ftz.f
nvvm_rsqrt_approx_d, // llvm.nvvm.rsqrt.approx.d
nvvm_rsqrt_approx_f, // llvm.nvvm.rsqrt.approx.f
nvvm_rsqrt_approx_ftz_f, // llvm.nvvm.rsqrt.approx.ftz.f
nvvm_sad_i, // llvm.nvvm.sad.i
nvvm_sad_ui, // llvm.nvvm.sad.ui
nvvm_saturate_d, // llvm.nvvm.saturate.d
nvvm_saturate_f, // llvm.nvvm.saturate.f
nvvm_saturate_ftz_f, // llvm.nvvm.saturate.ftz.f
nvvm_shfl_bfly_f32, // llvm.nvvm.shfl.bfly.f32
nvvm_shfl_bfly_i32, // llvm.nvvm.shfl.bfly.i32
nvvm_shfl_down_f32, // llvm.nvvm.shfl.down.f32
nvvm_shfl_down_i32, // llvm.nvvm.shfl.down.i32
nvvm_shfl_idx_f32, // llvm.nvvm.shfl.idx.f32
nvvm_shfl_idx_i32, // llvm.nvvm.shfl.idx.i32
nvvm_shfl_sync_bfly_f32, // llvm.nvvm.shfl.sync.bfly.f32
nvvm_shfl_sync_bfly_i32, // llvm.nvvm.shfl.sync.bfly.i32
nvvm_shfl_sync_down_f32, // llvm.nvvm.shfl.sync.down.f32
nvvm_shfl_sync_down_i32, // llvm.nvvm.shfl.sync.down.i32
nvvm_shfl_sync_idx_f32, // llvm.nvvm.shfl.sync.idx.f32
nvvm_shfl_sync_idx_i32, // llvm.nvvm.shfl.sync.idx.i32
nvvm_shfl_sync_up_f32, // llvm.nvvm.shfl.sync.up.f32
nvvm_shfl_sync_up_i32, // llvm.nvvm.shfl.sync.up.i32
nvvm_shfl_up_f32, // llvm.nvvm.shfl.up.f32
nvvm_shfl_up_i32, // llvm.nvvm.shfl.up.i32
nvvm_sin_approx_f, // llvm.nvvm.sin.approx.f
nvvm_sin_approx_ftz_f, // llvm.nvvm.sin.approx.ftz.f
nvvm_sqrt_approx_f, // llvm.nvvm.sqrt.approx.f
nvvm_sqrt_approx_ftz_f, // llvm.nvvm.sqrt.approx.ftz.f
nvvm_sqrt_f, // llvm.nvvm.sqrt.f
nvvm_sqrt_rm_d, // llvm.nvvm.sqrt.rm.d
nvvm_sqrt_rm_f, // llvm.nvvm.sqrt.rm.f
nvvm_sqrt_rm_ftz_f, // llvm.nvvm.sqrt.rm.ftz.f
nvvm_sqrt_rn_d, // llvm.nvvm.sqrt.rn.d
nvvm_sqrt_rn_f, // llvm.nvvm.sqrt.rn.f
nvvm_sqrt_rn_ftz_f, // llvm.nvvm.sqrt.rn.ftz.f
nvvm_sqrt_rp_d, // llvm.nvvm.sqrt.rp.d
nvvm_sqrt_rp_f, // llvm.nvvm.sqrt.rp.f
nvvm_sqrt_rp_ftz_f, // llvm.nvvm.sqrt.rp.ftz.f
nvvm_sqrt_rz_d, // llvm.nvvm.sqrt.rz.d
nvvm_sqrt_rz_f, // llvm.nvvm.sqrt.rz.f
nvvm_sqrt_rz_ftz_f, // llvm.nvvm.sqrt.rz.ftz.f
nvvm_suld_1d_array_i16_clamp, // llvm.nvvm.suld.1d.array.i16.clamp
nvvm_suld_1d_array_i16_trap, // llvm.nvvm.suld.1d.array.i16.trap
nvvm_suld_1d_array_i16_zero, // llvm.nvvm.suld.1d.array.i16.zero
nvvm_suld_1d_array_i32_clamp, // llvm.nvvm.suld.1d.array.i32.clamp
nvvm_suld_1d_array_i32_trap, // llvm.nvvm.suld.1d.array.i32.trap
nvvm_suld_1d_array_i32_zero, // llvm.nvvm.suld.1d.array.i32.zero
nvvm_suld_1d_array_i64_clamp, // llvm.nvvm.suld.1d.array.i64.clamp
nvvm_suld_1d_array_i64_trap, // llvm.nvvm.suld.1d.array.i64.trap
nvvm_suld_1d_array_i64_zero, // llvm.nvvm.suld.1d.array.i64.zero
nvvm_suld_1d_array_i8_clamp, // llvm.nvvm.suld.1d.array.i8.clamp
nvvm_suld_1d_array_i8_trap, // llvm.nvvm.suld.1d.array.i8.trap
nvvm_suld_1d_array_i8_zero, // llvm.nvvm.suld.1d.array.i8.zero
nvvm_suld_1d_array_v2i16_clamp, // llvm.nvvm.suld.1d.array.v2i16.clamp
nvvm_suld_1d_array_v2i16_trap, // llvm.nvvm.suld.1d.array.v2i16.trap
nvvm_suld_1d_array_v2i16_zero, // llvm.nvvm.suld.1d.array.v2i16.zero
nvvm_suld_1d_array_v2i32_clamp, // llvm.nvvm.suld.1d.array.v2i32.clamp
nvvm_suld_1d_array_v2i32_trap, // llvm.nvvm.suld.1d.array.v2i32.trap
nvvm_suld_1d_array_v2i32_zero, // llvm.nvvm.suld.1d.array.v2i32.zero
nvvm_suld_1d_array_v2i64_clamp, // llvm.nvvm.suld.1d.array.v2i64.clamp
nvvm_suld_1d_array_v2i64_trap, // llvm.nvvm.suld.1d.array.v2i64.trap
nvvm_suld_1d_array_v2i64_zero, // llvm.nvvm.suld.1d.array.v2i64.zero
nvvm_suld_1d_array_v2i8_clamp, // llvm.nvvm.suld.1d.array.v2i8.clamp
nvvm_suld_1d_array_v2i8_trap, // llvm.nvvm.suld.1d.array.v2i8.trap
nvvm_suld_1d_array_v2i8_zero, // llvm.nvvm.suld.1d.array.v2i8.zero
nvvm_suld_1d_array_v4i16_clamp, // llvm.nvvm.suld.1d.array.v4i16.clamp
nvvm_suld_1d_array_v4i16_trap, // llvm.nvvm.suld.1d.array.v4i16.trap
nvvm_suld_1d_array_v4i16_zero, // llvm.nvvm.suld.1d.array.v4i16.zero
nvvm_suld_1d_array_v4i32_clamp, // llvm.nvvm.suld.1d.array.v4i32.clamp
nvvm_suld_1d_array_v4i32_trap, // llvm.nvvm.suld.1d.array.v4i32.trap
nvvm_suld_1d_array_v4i32_zero, // llvm.nvvm.suld.1d.array.v4i32.zero
nvvm_suld_1d_array_v4i8_clamp, // llvm.nvvm.suld.1d.array.v4i8.clamp
nvvm_suld_1d_array_v4i8_trap, // llvm.nvvm.suld.1d.array.v4i8.trap
nvvm_suld_1d_array_v4i8_zero, // llvm.nvvm.suld.1d.array.v4i8.zero
nvvm_suld_1d_i16_clamp, // llvm.nvvm.suld.1d.i16.clamp
nvvm_suld_1d_i16_trap, // llvm.nvvm.suld.1d.i16.trap
nvvm_suld_1d_i16_zero, // llvm.nvvm.suld.1d.i16.zero
nvvm_suld_1d_i32_clamp, // llvm.nvvm.suld.1d.i32.clamp
nvvm_suld_1d_i32_trap, // llvm.nvvm.suld.1d.i32.trap
nvvm_suld_1d_i32_zero, // llvm.nvvm.suld.1d.i32.zero
nvvm_suld_1d_i64_clamp, // llvm.nvvm.suld.1d.i64.clamp
nvvm_suld_1d_i64_trap, // llvm.nvvm.suld.1d.i64.trap
nvvm_suld_1d_i64_zero, // llvm.nvvm.suld.1d.i64.zero
nvvm_suld_1d_i8_clamp, // llvm.nvvm.suld.1d.i8.clamp
nvvm_suld_1d_i8_trap, // llvm.nvvm.suld.1d.i8.trap
nvvm_suld_1d_i8_zero, // llvm.nvvm.suld.1d.i8.zero
nvvm_suld_1d_v2i16_clamp, // llvm.nvvm.suld.1d.v2i16.clamp
nvvm_suld_1d_v2i16_trap, // llvm.nvvm.suld.1d.v2i16.trap
nvvm_suld_1d_v2i16_zero, // llvm.nvvm.suld.1d.v2i16.zero
nvvm_suld_1d_v2i32_clamp, // llvm.nvvm.suld.1d.v2i32.clamp
nvvm_suld_1d_v2i32_trap, // llvm.nvvm.suld.1d.v2i32.trap
nvvm_suld_1d_v2i32_zero, // llvm.nvvm.suld.1d.v2i32.zero
nvvm_suld_1d_v2i64_clamp, // llvm.nvvm.suld.1d.v2i64.clamp
nvvm_suld_1d_v2i64_trap, // llvm.nvvm.suld.1d.v2i64.trap
nvvm_suld_1d_v2i64_zero, // llvm.nvvm.suld.1d.v2i64.zero
nvvm_suld_1d_v2i8_clamp, // llvm.nvvm.suld.1d.v2i8.clamp
nvvm_suld_1d_v2i8_trap, // llvm.nvvm.suld.1d.v2i8.trap
nvvm_suld_1d_v2i8_zero, // llvm.nvvm.suld.1d.v2i8.zero
nvvm_suld_1d_v4i16_clamp, // llvm.nvvm.suld.1d.v4i16.clamp
nvvm_suld_1d_v4i16_trap, // llvm.nvvm.suld.1d.v4i16.trap
nvvm_suld_1d_v4i16_zero, // llvm.nvvm.suld.1d.v4i16.zero
nvvm_suld_1d_v4i32_clamp, // llvm.nvvm.suld.1d.v4i32.clamp
nvvm_suld_1d_v4i32_trap, // llvm.nvvm.suld.1d.v4i32.trap
nvvm_suld_1d_v4i32_zero, // llvm.nvvm.suld.1d.v4i32.zero
nvvm_suld_1d_v4i8_clamp, // llvm.nvvm.suld.1d.v4i8.clamp
nvvm_suld_1d_v4i8_trap, // llvm.nvvm.suld.1d.v4i8.trap
nvvm_suld_1d_v4i8_zero, // llvm.nvvm.suld.1d.v4i8.zero
nvvm_suld_2d_array_i16_clamp, // llvm.nvvm.suld.2d.array.i16.clamp
nvvm_suld_2d_array_i16_trap, // llvm.nvvm.suld.2d.array.i16.trap
nvvm_suld_2d_array_i16_zero, // llvm.nvvm.suld.2d.array.i16.zero
nvvm_suld_2d_array_i32_clamp, // llvm.nvvm.suld.2d.array.i32.clamp
nvvm_suld_2d_array_i32_trap, // llvm.nvvm.suld.2d.array.i32.trap
nvvm_suld_2d_array_i32_zero, // llvm.nvvm.suld.2d.array.i32.zero
nvvm_suld_2d_array_i64_clamp, // llvm.nvvm.suld.2d.array.i64.clamp
nvvm_suld_2d_array_i64_trap, // llvm.nvvm.suld.2d.array.i64.trap
nvvm_suld_2d_array_i64_zero, // llvm.nvvm.suld.2d.array.i64.zero
nvvm_suld_2d_array_i8_clamp, // llvm.nvvm.suld.2d.array.i8.clamp
nvvm_suld_2d_array_i8_trap, // llvm.nvvm.suld.2d.array.i8.trap
nvvm_suld_2d_array_i8_zero, // llvm.nvvm.suld.2d.array.i8.zero
nvvm_suld_2d_array_v2i16_clamp, // llvm.nvvm.suld.2d.array.v2i16.clamp
nvvm_suld_2d_array_v2i16_trap, // llvm.nvvm.suld.2d.array.v2i16.trap
nvvm_suld_2d_array_v2i16_zero, // llvm.nvvm.suld.2d.array.v2i16.zero
nvvm_suld_2d_array_v2i32_clamp, // llvm.nvvm.suld.2d.array.v2i32.clamp
nvvm_suld_2d_array_v2i32_trap, // llvm.nvvm.suld.2d.array.v2i32.trap
nvvm_suld_2d_array_v2i32_zero, // llvm.nvvm.suld.2d.array.v2i32.zero
nvvm_suld_2d_array_v2i64_clamp, // llvm.nvvm.suld.2d.array.v2i64.clamp
nvvm_suld_2d_array_v2i64_trap, // llvm.nvvm.suld.2d.array.v2i64.trap
nvvm_suld_2d_array_v2i64_zero, // llvm.nvvm.suld.2d.array.v2i64.zero
nvvm_suld_2d_array_v2i8_clamp, // llvm.nvvm.suld.2d.array.v2i8.clamp
nvvm_suld_2d_array_v2i8_trap, // llvm.nvvm.suld.2d.array.v2i8.trap
nvvm_suld_2d_array_v2i8_zero, // llvm.nvvm.suld.2d.array.v2i8.zero
nvvm_suld_2d_array_v4i16_clamp, // llvm.nvvm.suld.2d.array.v4i16.clamp
nvvm_suld_2d_array_v4i16_trap, // llvm.nvvm.suld.2d.array.v4i16.trap
nvvm_suld_2d_array_v4i16_zero, // llvm.nvvm.suld.2d.array.v4i16.zero
nvvm_suld_2d_array_v4i32_clamp, // llvm.nvvm.suld.2d.array.v4i32.clamp
nvvm_suld_2d_array_v4i32_trap, // llvm.nvvm.suld.2d.array.v4i32.trap
nvvm_suld_2d_array_v4i32_zero, // llvm.nvvm.suld.2d.array.v4i32.zero
nvvm_suld_2d_array_v4i8_clamp, // llvm.nvvm.suld.2d.array.v4i8.clamp
nvvm_suld_2d_array_v4i8_trap, // llvm.nvvm.suld.2d.array.v4i8.trap
nvvm_suld_2d_array_v4i8_zero, // llvm.nvvm.suld.2d.array.v4i8.zero
nvvm_suld_2d_i16_clamp, // llvm.nvvm.suld.2d.i16.clamp
nvvm_suld_2d_i16_trap, // llvm.nvvm.suld.2d.i16.trap
nvvm_suld_2d_i16_zero, // llvm.nvvm.suld.2d.i16.zero
nvvm_suld_2d_i32_clamp, // llvm.nvvm.suld.2d.i32.clamp
nvvm_suld_2d_i32_trap, // llvm.nvvm.suld.2d.i32.trap
nvvm_suld_2d_i32_zero, // llvm.nvvm.suld.2d.i32.zero
nvvm_suld_2d_i64_clamp, // llvm.nvvm.suld.2d.i64.clamp
nvvm_suld_2d_i64_trap, // llvm.nvvm.suld.2d.i64.trap
nvvm_suld_2d_i64_zero, // llvm.nvvm.suld.2d.i64.zero
nvvm_suld_2d_i8_clamp, // llvm.nvvm.suld.2d.i8.clamp
nvvm_suld_2d_i8_trap, // llvm.nvvm.suld.2d.i8.trap
nvvm_suld_2d_i8_zero, // llvm.nvvm.suld.2d.i8.zero
nvvm_suld_2d_v2i16_clamp, // llvm.nvvm.suld.2d.v2i16.clamp
nvvm_suld_2d_v2i16_trap, // llvm.nvvm.suld.2d.v2i16.trap
nvvm_suld_2d_v2i16_zero, // llvm.nvvm.suld.2d.v2i16.zero
nvvm_suld_2d_v2i32_clamp, // llvm.nvvm.suld.2d.v2i32.clamp
nvvm_suld_2d_v2i32_trap, // llvm.nvvm.suld.2d.v2i32.trap
nvvm_suld_2d_v2i32_zero, // llvm.nvvm.suld.2d.v2i32.zero
nvvm_suld_2d_v2i64_clamp, // llvm.nvvm.suld.2d.v2i64.clamp
nvvm_suld_2d_v2i64_trap, // llvm.nvvm.suld.2d.v2i64.trap
nvvm_suld_2d_v2i64_zero, // llvm.nvvm.suld.2d.v2i64.zero
nvvm_suld_2d_v2i8_clamp, // llvm.nvvm.suld.2d.v2i8.clamp
nvvm_suld_2d_v2i8_trap, // llvm.nvvm.suld.2d.v2i8.trap
nvvm_suld_2d_v2i8_zero, // llvm.nvvm.suld.2d.v2i8.zero
nvvm_suld_2d_v4i16_clamp, // llvm.nvvm.suld.2d.v4i16.clamp
nvvm_suld_2d_v4i16_trap, // llvm.nvvm.suld.2d.v4i16.trap
nvvm_suld_2d_v4i16_zero, // llvm.nvvm.suld.2d.v4i16.zero
nvvm_suld_2d_v4i32_clamp, // llvm.nvvm.suld.2d.v4i32.clamp
nvvm_suld_2d_v4i32_trap, // llvm.nvvm.suld.2d.v4i32.trap
nvvm_suld_2d_v4i32_zero, // llvm.nvvm.suld.2d.v4i32.zero
nvvm_suld_2d_v4i8_clamp, // llvm.nvvm.suld.2d.v4i8.clamp
nvvm_suld_2d_v4i8_trap, // llvm.nvvm.suld.2d.v4i8.trap
nvvm_suld_2d_v4i8_zero, // llvm.nvvm.suld.2d.v4i8.zero
nvvm_suld_3d_i16_clamp, // llvm.nvvm.suld.3d.i16.clamp
nvvm_suld_3d_i16_trap, // llvm.nvvm.suld.3d.i16.trap
nvvm_suld_3d_i16_zero, // llvm.nvvm.suld.3d.i16.zero
nvvm_suld_3d_i32_clamp, // llvm.nvvm.suld.3d.i32.clamp
nvvm_suld_3d_i32_trap, // llvm.nvvm.suld.3d.i32.trap
nvvm_suld_3d_i32_zero, // llvm.nvvm.suld.3d.i32.zero
nvvm_suld_3d_i64_clamp, // llvm.nvvm.suld.3d.i64.clamp
nvvm_suld_3d_i64_trap, // llvm.nvvm.suld.3d.i64.trap
nvvm_suld_3d_i64_zero, // llvm.nvvm.suld.3d.i64.zero
nvvm_suld_3d_i8_clamp, // llvm.nvvm.suld.3d.i8.clamp
nvvm_suld_3d_i8_trap, // llvm.nvvm.suld.3d.i8.trap
nvvm_suld_3d_i8_zero, // llvm.nvvm.suld.3d.i8.zero
nvvm_suld_3d_v2i16_clamp, // llvm.nvvm.suld.3d.v2i16.clamp
nvvm_suld_3d_v2i16_trap, // llvm.nvvm.suld.3d.v2i16.trap
nvvm_suld_3d_v2i16_zero, // llvm.nvvm.suld.3d.v2i16.zero
nvvm_suld_3d_v2i32_clamp, // llvm.nvvm.suld.3d.v2i32.clamp
nvvm_suld_3d_v2i32_trap, // llvm.nvvm.suld.3d.v2i32.trap
nvvm_suld_3d_v2i32_zero, // llvm.nvvm.suld.3d.v2i32.zero
nvvm_suld_3d_v2i64_clamp, // llvm.nvvm.suld.3d.v2i64.clamp
nvvm_suld_3d_v2i64_trap, // llvm.nvvm.suld.3d.v2i64.trap
nvvm_suld_3d_v2i64_zero, // llvm.nvvm.suld.3d.v2i64.zero
nvvm_suld_3d_v2i8_clamp, // llvm.nvvm.suld.3d.v2i8.clamp
nvvm_suld_3d_v2i8_trap, // llvm.nvvm.suld.3d.v2i8.trap
nvvm_suld_3d_v2i8_zero, // llvm.nvvm.suld.3d.v2i8.zero
nvvm_suld_3d_v4i16_clamp, // llvm.nvvm.suld.3d.v4i16.clamp
nvvm_suld_3d_v4i16_trap, // llvm.nvvm.suld.3d.v4i16.trap
nvvm_suld_3d_v4i16_zero, // llvm.nvvm.suld.3d.v4i16.zero
nvvm_suld_3d_v4i32_clamp, // llvm.nvvm.suld.3d.v4i32.clamp
nvvm_suld_3d_v4i32_trap, // llvm.nvvm.suld.3d.v4i32.trap
nvvm_suld_3d_v4i32_zero, // llvm.nvvm.suld.3d.v4i32.zero
nvvm_suld_3d_v4i8_clamp, // llvm.nvvm.suld.3d.v4i8.clamp
nvvm_suld_3d_v4i8_trap, // llvm.nvvm.suld.3d.v4i8.trap
nvvm_suld_3d_v4i8_zero, // llvm.nvvm.suld.3d.v4i8.zero
nvvm_suq_array_size, // llvm.nvvm.suq.array.size
nvvm_suq_channel_data_type, // llvm.nvvm.suq.channel.data.type
nvvm_suq_channel_order, // llvm.nvvm.suq.channel.order
nvvm_suq_depth, // llvm.nvvm.suq.depth
nvvm_suq_height, // llvm.nvvm.suq.height
nvvm_suq_width, // llvm.nvvm.suq.width
nvvm_sust_b_1d_array_i16_clamp, // llvm.nvvm.sust.b.1d.array.i16.clamp
nvvm_sust_b_1d_array_i16_trap, // llvm.nvvm.sust.b.1d.array.i16.trap
nvvm_sust_b_1d_array_i16_zero, // llvm.nvvm.sust.b.1d.array.i16.zero
nvvm_sust_b_1d_array_i32_clamp, // llvm.nvvm.sust.b.1d.array.i32.clamp
nvvm_sust_b_1d_array_i32_trap, // llvm.nvvm.sust.b.1d.array.i32.trap
nvvm_sust_b_1d_array_i32_zero, // llvm.nvvm.sust.b.1d.array.i32.zero
nvvm_sust_b_1d_array_i64_clamp, // llvm.nvvm.sust.b.1d.array.i64.clamp
nvvm_sust_b_1d_array_i64_trap, // llvm.nvvm.sust.b.1d.array.i64.trap
nvvm_sust_b_1d_array_i64_zero, // llvm.nvvm.sust.b.1d.array.i64.zero
nvvm_sust_b_1d_array_i8_clamp, // llvm.nvvm.sust.b.1d.array.i8.clamp
nvvm_sust_b_1d_array_i8_trap, // llvm.nvvm.sust.b.1d.array.i8.trap
nvvm_sust_b_1d_array_i8_zero, // llvm.nvvm.sust.b.1d.array.i8.zero
nvvm_sust_b_1d_array_v2i16_clamp, // llvm.nvvm.sust.b.1d.array.v2i16.clamp
nvvm_sust_b_1d_array_v2i16_trap, // llvm.nvvm.sust.b.1d.array.v2i16.trap
nvvm_sust_b_1d_array_v2i16_zero, // llvm.nvvm.sust.b.1d.array.v2i16.zero
nvvm_sust_b_1d_array_v2i32_clamp, // llvm.nvvm.sust.b.1d.array.v2i32.clamp
nvvm_sust_b_1d_array_v2i32_trap, // llvm.nvvm.sust.b.1d.array.v2i32.trap
nvvm_sust_b_1d_array_v2i32_zero, // llvm.nvvm.sust.b.1d.array.v2i32.zero
nvvm_sust_b_1d_array_v2i64_clamp, // llvm.nvvm.sust.b.1d.array.v2i64.clamp
nvvm_sust_b_1d_array_v2i64_trap, // llvm.nvvm.sust.b.1d.array.v2i64.trap
nvvm_sust_b_1d_array_v2i64_zero, // llvm.nvvm.sust.b.1d.array.v2i64.zero
nvvm_sust_b_1d_array_v2i8_clamp, // llvm.nvvm.sust.b.1d.array.v2i8.clamp
nvvm_sust_b_1d_array_v2i8_trap, // llvm.nvvm.sust.b.1d.array.v2i8.trap
nvvm_sust_b_1d_array_v2i8_zero, // llvm.nvvm.sust.b.1d.array.v2i8.zero
nvvm_sust_b_1d_array_v4i16_clamp, // llvm.nvvm.sust.b.1d.array.v4i16.clamp
nvvm_sust_b_1d_array_v4i16_trap, // llvm.nvvm.sust.b.1d.array.v4i16.trap
nvvm_sust_b_1d_array_v4i16_zero, // llvm.nvvm.sust.b.1d.array.v4i16.zero
nvvm_sust_b_1d_array_v4i32_clamp, // llvm.nvvm.sust.b.1d.array.v4i32.clamp
nvvm_sust_b_1d_array_v4i32_trap, // llvm.nvvm.sust.b.1d.array.v4i32.trap
nvvm_sust_b_1d_array_v4i32_zero, // llvm.nvvm.sust.b.1d.array.v4i32.zero
nvvm_sust_b_1d_array_v4i8_clamp, // llvm.nvvm.sust.b.1d.array.v4i8.clamp
nvvm_sust_b_1d_array_v4i8_trap, // llvm.nvvm.sust.b.1d.array.v4i8.trap
nvvm_sust_b_1d_array_v4i8_zero, // llvm.nvvm.sust.b.1d.array.v4i8.zero
nvvm_sust_b_1d_i16_clamp, // llvm.nvvm.sust.b.1d.i16.clamp
nvvm_sust_b_1d_i16_trap, // llvm.nvvm.sust.b.1d.i16.trap
nvvm_sust_b_1d_i16_zero, // llvm.nvvm.sust.b.1d.i16.zero
nvvm_sust_b_1d_i32_clamp, // llvm.nvvm.sust.b.1d.i32.clamp
nvvm_sust_b_1d_i32_trap, // llvm.nvvm.sust.b.1d.i32.trap
nvvm_sust_b_1d_i32_zero, // llvm.nvvm.sust.b.1d.i32.zero
nvvm_sust_b_1d_i64_clamp, // llvm.nvvm.sust.b.1d.i64.clamp
nvvm_sust_b_1d_i64_trap, // llvm.nvvm.sust.b.1d.i64.trap
nvvm_sust_b_1d_i64_zero, // llvm.nvvm.sust.b.1d.i64.zero
nvvm_sust_b_1d_i8_clamp, // llvm.nvvm.sust.b.1d.i8.clamp
nvvm_sust_b_1d_i8_trap, // llvm.nvvm.sust.b.1d.i8.trap
nvvm_sust_b_1d_i8_zero, // llvm.nvvm.sust.b.1d.i8.zero
nvvm_sust_b_1d_v2i16_clamp, // llvm.nvvm.sust.b.1d.v2i16.clamp
nvvm_sust_b_1d_v2i16_trap, // llvm.nvvm.sust.b.1d.v2i16.trap
nvvm_sust_b_1d_v2i16_zero, // llvm.nvvm.sust.b.1d.v2i16.zero
nvvm_sust_b_1d_v2i32_clamp, // llvm.nvvm.sust.b.1d.v2i32.clamp
nvvm_sust_b_1d_v2i32_trap, // llvm.nvvm.sust.b.1d.v2i32.trap
nvvm_sust_b_1d_v2i32_zero, // llvm.nvvm.sust.b.1d.v2i32.zero
nvvm_sust_b_1d_v2i64_clamp, // llvm.nvvm.sust.b.1d.v2i64.clamp
nvvm_sust_b_1d_v2i64_trap, // llvm.nvvm.sust.b.1d.v2i64.trap
nvvm_sust_b_1d_v2i64_zero, // llvm.nvvm.sust.b.1d.v2i64.zero
nvvm_sust_b_1d_v2i8_clamp, // llvm.nvvm.sust.b.1d.v2i8.clamp
nvvm_sust_b_1d_v2i8_trap, // llvm.nvvm.sust.b.1d.v2i8.trap
nvvm_sust_b_1d_v2i8_zero, // llvm.nvvm.sust.b.1d.v2i8.zero
nvvm_sust_b_1d_v4i16_clamp, // llvm.nvvm.sust.b.1d.v4i16.clamp
nvvm_sust_b_1d_v4i16_trap, // llvm.nvvm.sust.b.1d.v4i16.trap
nvvm_sust_b_1d_v4i16_zero, // llvm.nvvm.sust.b.1d.v4i16.zero
nvvm_sust_b_1d_v4i32_clamp, // llvm.nvvm.sust.b.1d.v4i32.clamp
nvvm_sust_b_1d_v4i32_trap, // llvm.nvvm.sust.b.1d.v4i32.trap
nvvm_sust_b_1d_v4i32_zero, // llvm.nvvm.sust.b.1d.v4i32.zero
nvvm_sust_b_1d_v4i8_clamp, // llvm.nvvm.sust.b.1d.v4i8.clamp
nvvm_sust_b_1d_v4i8_trap, // llvm.nvvm.sust.b.1d.v4i8.trap
nvvm_sust_b_1d_v4i8_zero, // llvm.nvvm.sust.b.1d.v4i8.zero
nvvm_sust_b_2d_array_i16_clamp, // llvm.nvvm.sust.b.2d.array.i16.clamp
nvvm_sust_b_2d_array_i16_trap, // llvm.nvvm.sust.b.2d.array.i16.trap
nvvm_sust_b_2d_array_i16_zero, // llvm.nvvm.sust.b.2d.array.i16.zero
nvvm_sust_b_2d_array_i32_clamp, // llvm.nvvm.sust.b.2d.array.i32.clamp
nvvm_sust_b_2d_array_i32_trap, // llvm.nvvm.sust.b.2d.array.i32.trap
nvvm_sust_b_2d_array_i32_zero, // llvm.nvvm.sust.b.2d.array.i32.zero
nvvm_sust_b_2d_array_i64_clamp, // llvm.nvvm.sust.b.2d.array.i64.clamp
nvvm_sust_b_2d_array_i64_trap, // llvm.nvvm.sust.b.2d.array.i64.trap
nvvm_sust_b_2d_array_i64_zero, // llvm.nvvm.sust.b.2d.array.i64.zero
nvvm_sust_b_2d_array_i8_clamp, // llvm.nvvm.sust.b.2d.array.i8.clamp
nvvm_sust_b_2d_array_i8_trap, // llvm.nvvm.sust.b.2d.array.i8.trap
nvvm_sust_b_2d_array_i8_zero, // llvm.nvvm.sust.b.2d.array.i8.zero
nvvm_sust_b_2d_array_v2i16_clamp, // llvm.nvvm.sust.b.2d.array.v2i16.clamp
nvvm_sust_b_2d_array_v2i16_trap, // llvm.nvvm.sust.b.2d.array.v2i16.trap
nvvm_sust_b_2d_array_v2i16_zero, // llvm.nvvm.sust.b.2d.array.v2i16.zero
nvvm_sust_b_2d_array_v2i32_clamp, // llvm.nvvm.sust.b.2d.array.v2i32.clamp
nvvm_sust_b_2d_array_v2i32_trap, // llvm.nvvm.sust.b.2d.array.v2i32.trap
nvvm_sust_b_2d_array_v2i32_zero, // llvm.nvvm.sust.b.2d.array.v2i32.zero
nvvm_sust_b_2d_array_v2i64_clamp, // llvm.nvvm.sust.b.2d.array.v2i64.clamp
nvvm_sust_b_2d_array_v2i64_trap, // llvm.nvvm.sust.b.2d.array.v2i64.trap
nvvm_sust_b_2d_array_v2i64_zero, // llvm.nvvm.sust.b.2d.array.v2i64.zero
nvvm_sust_b_2d_array_v2i8_clamp, // llvm.nvvm.sust.b.2d.array.v2i8.clamp
nvvm_sust_b_2d_array_v2i8_trap, // llvm.nvvm.sust.b.2d.array.v2i8.trap
nvvm_sust_b_2d_array_v2i8_zero, // llvm.nvvm.sust.b.2d.array.v2i8.zero
nvvm_sust_b_2d_array_v4i16_clamp, // llvm.nvvm.sust.b.2d.array.v4i16.clamp
nvvm_sust_b_2d_array_v4i16_trap, // llvm.nvvm.sust.b.2d.array.v4i16.trap
nvvm_sust_b_2d_array_v4i16_zero, // llvm.nvvm.sust.b.2d.array.v4i16.zero
nvvm_sust_b_2d_array_v4i32_clamp, // llvm.nvvm.sust.b.2d.array.v4i32.clamp
nvvm_sust_b_2d_array_v4i32_trap, // llvm.nvvm.sust.b.2d.array.v4i32.trap
nvvm_sust_b_2d_array_v4i32_zero, // llvm.nvvm.sust.b.2d.array.v4i32.zero
nvvm_sust_b_2d_array_v4i8_clamp, // llvm.nvvm.sust.b.2d.array.v4i8.clamp
nvvm_sust_b_2d_array_v4i8_trap, // llvm.nvvm.sust.b.2d.array.v4i8.trap
nvvm_sust_b_2d_array_v4i8_zero, // llvm.nvvm.sust.b.2d.array.v4i8.zero
nvvm_sust_b_2d_i16_clamp, // llvm.nvvm.sust.b.2d.i16.clamp
nvvm_sust_b_2d_i16_trap, // llvm.nvvm.sust.b.2d.i16.trap
nvvm_sust_b_2d_i16_zero, // llvm.nvvm.sust.b.2d.i16.zero
nvvm_sust_b_2d_i32_clamp, // llvm.nvvm.sust.b.2d.i32.clamp
nvvm_sust_b_2d_i32_trap, // llvm.nvvm.sust.b.2d.i32.trap
nvvm_sust_b_2d_i32_zero, // llvm.nvvm.sust.b.2d.i32.zero
nvvm_sust_b_2d_i64_clamp, // llvm.nvvm.sust.b.2d.i64.clamp
nvvm_sust_b_2d_i64_trap, // llvm.nvvm.sust.b.2d.i64.trap
nvvm_sust_b_2d_i64_zero, // llvm.nvvm.sust.b.2d.i64.zero
nvvm_sust_b_2d_i8_clamp, // llvm.nvvm.sust.b.2d.i8.clamp
nvvm_sust_b_2d_i8_trap, // llvm.nvvm.sust.b.2d.i8.trap
nvvm_sust_b_2d_i8_zero, // llvm.nvvm.sust.b.2d.i8.zero
nvvm_sust_b_2d_v2i16_clamp, // llvm.nvvm.sust.b.2d.v2i16.clamp
nvvm_sust_b_2d_v2i16_trap, // llvm.nvvm.sust.b.2d.v2i16.trap
nvvm_sust_b_2d_v2i16_zero, // llvm.nvvm.sust.b.2d.v2i16.zero
nvvm_sust_b_2d_v2i32_clamp, // llvm.nvvm.sust.b.2d.v2i32.clamp
nvvm_sust_b_2d_v2i32_trap, // llvm.nvvm.sust.b.2d.v2i32.trap
nvvm_sust_b_2d_v2i32_zero, // llvm.nvvm.sust.b.2d.v2i32.zero
nvvm_sust_b_2d_v2i64_clamp, // llvm.nvvm.sust.b.2d.v2i64.clamp
nvvm_sust_b_2d_v2i64_trap, // llvm.nvvm.sust.b.2d.v2i64.trap
nvvm_sust_b_2d_v2i64_zero, // llvm.nvvm.sust.b.2d.v2i64.zero
nvvm_sust_b_2d_v2i8_clamp, // llvm.nvvm.sust.b.2d.v2i8.clamp
nvvm_sust_b_2d_v2i8_trap, // llvm.nvvm.sust.b.2d.v2i8.trap
nvvm_sust_b_2d_v2i8_zero, // llvm.nvvm.sust.b.2d.v2i8.zero
nvvm_sust_b_2d_v4i16_clamp, // llvm.nvvm.sust.b.2d.v4i16.clamp
nvvm_sust_b_2d_v4i16_trap, // llvm.nvvm.sust.b.2d.v4i16.trap
nvvm_sust_b_2d_v4i16_zero, // llvm.nvvm.sust.b.2d.v4i16.zero
nvvm_sust_b_2d_v4i32_clamp, // llvm.nvvm.sust.b.2d.v4i32.clamp
nvvm_sust_b_2d_v4i32_trap, // llvm.nvvm.sust.b.2d.v4i32.trap
nvvm_sust_b_2d_v4i32_zero, // llvm.nvvm.sust.b.2d.v4i32.zero
nvvm_sust_b_2d_v4i8_clamp, // llvm.nvvm.sust.b.2d.v4i8.clamp
nvvm_sust_b_2d_v4i8_trap, // llvm.nvvm.sust.b.2d.v4i8.trap
nvvm_sust_b_2d_v4i8_zero, // llvm.nvvm.sust.b.2d.v4i8.zero
nvvm_sust_b_3d_i16_clamp, // llvm.nvvm.sust.b.3d.i16.clamp
nvvm_sust_b_3d_i16_trap, // llvm.nvvm.sust.b.3d.i16.trap
nvvm_sust_b_3d_i16_zero, // llvm.nvvm.sust.b.3d.i16.zero
nvvm_sust_b_3d_i32_clamp, // llvm.nvvm.sust.b.3d.i32.clamp
nvvm_sust_b_3d_i32_trap, // llvm.nvvm.sust.b.3d.i32.trap
nvvm_sust_b_3d_i32_zero, // llvm.nvvm.sust.b.3d.i32.zero
nvvm_sust_b_3d_i64_clamp, // llvm.nvvm.sust.b.3d.i64.clamp
nvvm_sust_b_3d_i64_trap, // llvm.nvvm.sust.b.3d.i64.trap
nvvm_sust_b_3d_i64_zero, // llvm.nvvm.sust.b.3d.i64.zero
nvvm_sust_b_3d_i8_clamp, // llvm.nvvm.sust.b.3d.i8.clamp
nvvm_sust_b_3d_i8_trap, // llvm.nvvm.sust.b.3d.i8.trap
nvvm_sust_b_3d_i8_zero, // llvm.nvvm.sust.b.3d.i8.zero
nvvm_sust_b_3d_v2i16_clamp, // llvm.nvvm.sust.b.3d.v2i16.clamp
nvvm_sust_b_3d_v2i16_trap, // llvm.nvvm.sust.b.3d.v2i16.trap
nvvm_sust_b_3d_v2i16_zero, // llvm.nvvm.sust.b.3d.v2i16.zero
nvvm_sust_b_3d_v2i32_clamp, // llvm.nvvm.sust.b.3d.v2i32.clamp
nvvm_sust_b_3d_v2i32_trap, // llvm.nvvm.sust.b.3d.v2i32.trap
nvvm_sust_b_3d_v2i32_zero, // llvm.nvvm.sust.b.3d.v2i32.zero
nvvm_sust_b_3d_v2i64_clamp, // llvm.nvvm.sust.b.3d.v2i64.clamp
nvvm_sust_b_3d_v2i64_trap, // llvm.nvvm.sust.b.3d.v2i64.trap
nvvm_sust_b_3d_v2i64_zero, // llvm.nvvm.sust.b.3d.v2i64.zero
nvvm_sust_b_3d_v2i8_clamp, // llvm.nvvm.sust.b.3d.v2i8.clamp
nvvm_sust_b_3d_v2i8_trap, // llvm.nvvm.sust.b.3d.v2i8.trap
nvvm_sust_b_3d_v2i8_zero, // llvm.nvvm.sust.b.3d.v2i8.zero
nvvm_sust_b_3d_v4i16_clamp, // llvm.nvvm.sust.b.3d.v4i16.clamp
nvvm_sust_b_3d_v4i16_trap, // llvm.nvvm.sust.b.3d.v4i16.trap
nvvm_sust_b_3d_v4i16_zero, // llvm.nvvm.sust.b.3d.v4i16.zero
nvvm_sust_b_3d_v4i32_clamp, // llvm.nvvm.sust.b.3d.v4i32.clamp
nvvm_sust_b_3d_v4i32_trap, // llvm.nvvm.sust.b.3d.v4i32.trap
nvvm_sust_b_3d_v4i32_zero, // llvm.nvvm.sust.b.3d.v4i32.zero
nvvm_sust_b_3d_v4i8_clamp, // llvm.nvvm.sust.b.3d.v4i8.clamp
nvvm_sust_b_3d_v4i8_trap, // llvm.nvvm.sust.b.3d.v4i8.trap
nvvm_sust_b_3d_v4i8_zero, // llvm.nvvm.sust.b.3d.v4i8.zero
nvvm_sust_p_1d_array_i16_trap, // llvm.nvvm.sust.p.1d.array.i16.trap
nvvm_sust_p_1d_array_i32_trap, // llvm.nvvm.sust.p.1d.array.i32.trap
nvvm_sust_p_1d_array_i8_trap, // llvm.nvvm.sust.p.1d.array.i8.trap
nvvm_sust_p_1d_array_v2i16_trap, // llvm.nvvm.sust.p.1d.array.v2i16.trap
nvvm_sust_p_1d_array_v2i32_trap, // llvm.nvvm.sust.p.1d.array.v2i32.trap
nvvm_sust_p_1d_array_v2i8_trap, // llvm.nvvm.sust.p.1d.array.v2i8.trap
nvvm_sust_p_1d_array_v4i16_trap, // llvm.nvvm.sust.p.1d.array.v4i16.trap
nvvm_sust_p_1d_array_v4i32_trap, // llvm.nvvm.sust.p.1d.array.v4i32.trap
nvvm_sust_p_1d_array_v4i8_trap, // llvm.nvvm.sust.p.1d.array.v4i8.trap
nvvm_sust_p_1d_i16_trap, // llvm.nvvm.sust.p.1d.i16.trap
nvvm_sust_p_1d_i32_trap, // llvm.nvvm.sust.p.1d.i32.trap
nvvm_sust_p_1d_i8_trap, // llvm.nvvm.sust.p.1d.i8.trap
nvvm_sust_p_1d_v2i16_trap, // llvm.nvvm.sust.p.1d.v2i16.trap
nvvm_sust_p_1d_v2i32_trap, // llvm.nvvm.sust.p.1d.v2i32.trap
nvvm_sust_p_1d_v2i8_trap, // llvm.nvvm.sust.p.1d.v2i8.trap
nvvm_sust_p_1d_v4i16_trap, // llvm.nvvm.sust.p.1d.v4i16.trap
nvvm_sust_p_1d_v4i32_trap, // llvm.nvvm.sust.p.1d.v4i32.trap
nvvm_sust_p_1d_v4i8_trap, // llvm.nvvm.sust.p.1d.v4i8.trap
nvvm_sust_p_2d_array_i16_trap, // llvm.nvvm.sust.p.2d.array.i16.trap
nvvm_sust_p_2d_array_i32_trap, // llvm.nvvm.sust.p.2d.array.i32.trap
nvvm_sust_p_2d_array_i8_trap, // llvm.nvvm.sust.p.2d.array.i8.trap
nvvm_sust_p_2d_array_v2i16_trap, // llvm.nvvm.sust.p.2d.array.v2i16.trap
nvvm_sust_p_2d_array_v2i32_trap, // llvm.nvvm.sust.p.2d.array.v2i32.trap
nvvm_sust_p_2d_array_v2i8_trap, // llvm.nvvm.sust.p.2d.array.v2i8.trap
nvvm_sust_p_2d_array_v4i16_trap, // llvm.nvvm.sust.p.2d.array.v4i16.trap
nvvm_sust_p_2d_array_v4i32_trap, // llvm.nvvm.sust.p.2d.array.v4i32.trap
nvvm_sust_p_2d_array_v4i8_trap, // llvm.nvvm.sust.p.2d.array.v4i8.trap
nvvm_sust_p_2d_i16_trap, // llvm.nvvm.sust.p.2d.i16.trap
nvvm_sust_p_2d_i32_trap, // llvm.nvvm.sust.p.2d.i32.trap
nvvm_sust_p_2d_i8_trap, // llvm.nvvm.sust.p.2d.i8.trap
nvvm_sust_p_2d_v2i16_trap, // llvm.nvvm.sust.p.2d.v2i16.trap
nvvm_sust_p_2d_v2i32_trap, // llvm.nvvm.sust.p.2d.v2i32.trap
nvvm_sust_p_2d_v2i8_trap, // llvm.nvvm.sust.p.2d.v2i8.trap
nvvm_sust_p_2d_v4i16_trap, // llvm.nvvm.sust.p.2d.v4i16.trap
nvvm_sust_p_2d_v4i32_trap, // llvm.nvvm.sust.p.2d.v4i32.trap
nvvm_sust_p_2d_v4i8_trap, // llvm.nvvm.sust.p.2d.v4i8.trap
nvvm_sust_p_3d_i16_trap, // llvm.nvvm.sust.p.3d.i16.trap
nvvm_sust_p_3d_i32_trap, // llvm.nvvm.sust.p.3d.i32.trap
nvvm_sust_p_3d_i8_trap, // llvm.nvvm.sust.p.3d.i8.trap
nvvm_sust_p_3d_v2i16_trap, // llvm.nvvm.sust.p.3d.v2i16.trap
nvvm_sust_p_3d_v2i32_trap, // llvm.nvvm.sust.p.3d.v2i32.trap
nvvm_sust_p_3d_v2i8_trap, // llvm.nvvm.sust.p.3d.v2i8.trap
nvvm_sust_p_3d_v4i16_trap, // llvm.nvvm.sust.p.3d.v4i16.trap
nvvm_sust_p_3d_v4i32_trap, // llvm.nvvm.sust.p.3d.v4i32.trap
nvvm_sust_p_3d_v4i8_trap, // llvm.nvvm.sust.p.3d.v4i8.trap
nvvm_swap_lo_hi_b64, // llvm.nvvm.swap.lo.hi.b64
nvvm_tex_1d_array_grad_v4f32_f32, // llvm.nvvm.tex.1d.array.grad.v4f32.f32
nvvm_tex_1d_array_grad_v4s32_f32, // llvm.nvvm.tex.1d.array.grad.v4s32.f32
nvvm_tex_1d_array_grad_v4u32_f32, // llvm.nvvm.tex.1d.array.grad.v4u32.f32
nvvm_tex_1d_array_level_v4f32_f32, // llvm.nvvm.tex.1d.array.level.v4f32.f32
nvvm_tex_1d_array_level_v4s32_f32, // llvm.nvvm.tex.1d.array.level.v4s32.f32
nvvm_tex_1d_array_level_v4u32_f32, // llvm.nvvm.tex.1d.array.level.v4u32.f32
nvvm_tex_1d_array_v4f32_f32, // llvm.nvvm.tex.1d.array.v4f32.f32
nvvm_tex_1d_array_v4f32_s32, // llvm.nvvm.tex.1d.array.v4f32.s32
nvvm_tex_1d_array_v4s32_f32, // llvm.nvvm.tex.1d.array.v4s32.f32
nvvm_tex_1d_array_v4s32_s32, // llvm.nvvm.tex.1d.array.v4s32.s32
nvvm_tex_1d_array_v4u32_f32, // llvm.nvvm.tex.1d.array.v4u32.f32
nvvm_tex_1d_array_v4u32_s32, // llvm.nvvm.tex.1d.array.v4u32.s32
nvvm_tex_1d_grad_v4f32_f32, // llvm.nvvm.tex.1d.grad.v4f32.f32
nvvm_tex_1d_grad_v4s32_f32, // llvm.nvvm.tex.1d.grad.v4s32.f32
nvvm_tex_1d_grad_v4u32_f32, // llvm.nvvm.tex.1d.grad.v4u32.f32
nvvm_tex_1d_level_v4f32_f32, // llvm.nvvm.tex.1d.level.v4f32.f32
nvvm_tex_1d_level_v4s32_f32, // llvm.nvvm.tex.1d.level.v4s32.f32
nvvm_tex_1d_level_v4u32_f32, // llvm.nvvm.tex.1d.level.v4u32.f32
nvvm_tex_1d_v4f32_f32, // llvm.nvvm.tex.1d.v4f32.f32
nvvm_tex_1d_v4f32_s32, // llvm.nvvm.tex.1d.v4f32.s32
nvvm_tex_1d_v4s32_f32, // llvm.nvvm.tex.1d.v4s32.f32
nvvm_tex_1d_v4s32_s32, // llvm.nvvm.tex.1d.v4s32.s32
nvvm_tex_1d_v4u32_f32, // llvm.nvvm.tex.1d.v4u32.f32
nvvm_tex_1d_v4u32_s32, // llvm.nvvm.tex.1d.v4u32.s32
nvvm_tex_2d_array_grad_v4f32_f32, // llvm.nvvm.tex.2d.array.grad.v4f32.f32
nvvm_tex_2d_array_grad_v4s32_f32, // llvm.nvvm.tex.2d.array.grad.v4s32.f32
nvvm_tex_2d_array_grad_v4u32_f32, // llvm.nvvm.tex.2d.array.grad.v4u32.f32
nvvm_tex_2d_array_level_v4f32_f32, // llvm.nvvm.tex.2d.array.level.v4f32.f32
nvvm_tex_2d_array_level_v4s32_f32, // llvm.nvvm.tex.2d.array.level.v4s32.f32
nvvm_tex_2d_array_level_v4u32_f32, // llvm.nvvm.tex.2d.array.level.v4u32.f32
nvvm_tex_2d_array_v4f32_f32, // llvm.nvvm.tex.2d.array.v4f32.f32
nvvm_tex_2d_array_v4f32_s32, // llvm.nvvm.tex.2d.array.v4f32.s32
nvvm_tex_2d_array_v4s32_f32, // llvm.nvvm.tex.2d.array.v4s32.f32
nvvm_tex_2d_array_v4s32_s32, // llvm.nvvm.tex.2d.array.v4s32.s32
nvvm_tex_2d_array_v4u32_f32, // llvm.nvvm.tex.2d.array.v4u32.f32
nvvm_tex_2d_array_v4u32_s32, // llvm.nvvm.tex.2d.array.v4u32.s32
nvvm_tex_2d_grad_v4f32_f32, // llvm.nvvm.tex.2d.grad.v4f32.f32
nvvm_tex_2d_grad_v4s32_f32, // llvm.nvvm.tex.2d.grad.v4s32.f32
nvvm_tex_2d_grad_v4u32_f32, // llvm.nvvm.tex.2d.grad.v4u32.f32
nvvm_tex_2d_level_v4f32_f32, // llvm.nvvm.tex.2d.level.v4f32.f32
nvvm_tex_2d_level_v4s32_f32, // llvm.nvvm.tex.2d.level.v4s32.f32
nvvm_tex_2d_level_v4u32_f32, // llvm.nvvm.tex.2d.level.v4u32.f32
nvvm_tex_2d_v4f32_f32, // llvm.nvvm.tex.2d.v4f32.f32
nvvm_tex_2d_v4f32_s32, // llvm.nvvm.tex.2d.v4f32.s32
nvvm_tex_2d_v4s32_f32, // llvm.nvvm.tex.2d.v4s32.f32
nvvm_tex_2d_v4s32_s32, // llvm.nvvm.tex.2d.v4s32.s32
nvvm_tex_2d_v4u32_f32, // llvm.nvvm.tex.2d.v4u32.f32
nvvm_tex_2d_v4u32_s32, // llvm.nvvm.tex.2d.v4u32.s32
nvvm_tex_3d_grad_v4f32_f32, // llvm.nvvm.tex.3d.grad.v4f32.f32
nvvm_tex_3d_grad_v4s32_f32, // llvm.nvvm.tex.3d.grad.v4s32.f32
nvvm_tex_3d_grad_v4u32_f32, // llvm.nvvm.tex.3d.grad.v4u32.f32
nvvm_tex_3d_level_v4f32_f32, // llvm.nvvm.tex.3d.level.v4f32.f32
nvvm_tex_3d_level_v4s32_f32, // llvm.nvvm.tex.3d.level.v4s32.f32
nvvm_tex_3d_level_v4u32_f32, // llvm.nvvm.tex.3d.level.v4u32.f32
nvvm_tex_3d_v4f32_f32, // llvm.nvvm.tex.3d.v4f32.f32
nvvm_tex_3d_v4f32_s32, // llvm.nvvm.tex.3d.v4f32.s32
nvvm_tex_3d_v4s32_f32, // llvm.nvvm.tex.3d.v4s32.f32
nvvm_tex_3d_v4s32_s32, // llvm.nvvm.tex.3d.v4s32.s32
nvvm_tex_3d_v4u32_f32, // llvm.nvvm.tex.3d.v4u32.f32
nvvm_tex_3d_v4u32_s32, // llvm.nvvm.tex.3d.v4u32.s32
nvvm_tex_cube_array_level_v4f32_f32, // llvm.nvvm.tex.cube.array.level.v4f32.f32
nvvm_tex_cube_array_level_v4s32_f32, // llvm.nvvm.tex.cube.array.level.v4s32.f32
nvvm_tex_cube_array_level_v4u32_f32, // llvm.nvvm.tex.cube.array.level.v4u32.f32
nvvm_tex_cube_array_v4f32_f32, // llvm.nvvm.tex.cube.array.v4f32.f32
nvvm_tex_cube_array_v4s32_f32, // llvm.nvvm.tex.cube.array.v4s32.f32
nvvm_tex_cube_array_v4u32_f32, // llvm.nvvm.tex.cube.array.v4u32.f32
nvvm_tex_cube_level_v4f32_f32, // llvm.nvvm.tex.cube.level.v4f32.f32
nvvm_tex_cube_level_v4s32_f32, // llvm.nvvm.tex.cube.level.v4s32.f32
nvvm_tex_cube_level_v4u32_f32, // llvm.nvvm.tex.cube.level.v4u32.f32
nvvm_tex_cube_v4f32_f32, // llvm.nvvm.tex.cube.v4f32.f32
nvvm_tex_cube_v4s32_f32, // llvm.nvvm.tex.cube.v4s32.f32
nvvm_tex_cube_v4u32_f32, // llvm.nvvm.tex.cube.v4u32.f32
nvvm_tex_unified_1d_array_grad_v4f32_f32, // llvm.nvvm.tex.unified.1d.array.grad.v4f32.f32
nvvm_tex_unified_1d_array_grad_v4s32_f32, // llvm.nvvm.tex.unified.1d.array.grad.v4s32.f32
nvvm_tex_unified_1d_array_grad_v4u32_f32, // llvm.nvvm.tex.unified.1d.array.grad.v4u32.f32
nvvm_tex_unified_1d_array_level_v4f32_f32, // llvm.nvvm.tex.unified.1d.array.level.v4f32.f32
nvvm_tex_unified_1d_array_level_v4s32_f32, // llvm.nvvm.tex.unified.1d.array.level.v4s32.f32
nvvm_tex_unified_1d_array_level_v4u32_f32, // llvm.nvvm.tex.unified.1d.array.level.v4u32.f32
nvvm_tex_unified_1d_array_v4f32_f32, // llvm.nvvm.tex.unified.1d.array.v4f32.f32
nvvm_tex_unified_1d_array_v4f32_s32, // llvm.nvvm.tex.unified.1d.array.v4f32.s32
nvvm_tex_unified_1d_array_v4s32_f32, // llvm.nvvm.tex.unified.1d.array.v4s32.f32
nvvm_tex_unified_1d_array_v4s32_s32, // llvm.nvvm.tex.unified.1d.array.v4s32.s32
nvvm_tex_unified_1d_array_v4u32_f32, // llvm.nvvm.tex.unified.1d.array.v4u32.f32
nvvm_tex_unified_1d_array_v4u32_s32, // llvm.nvvm.tex.unified.1d.array.v4u32.s32
nvvm_tex_unified_1d_grad_v4f32_f32, // llvm.nvvm.tex.unified.1d.grad.v4f32.f32
nvvm_tex_unified_1d_grad_v4s32_f32, // llvm.nvvm.tex.unified.1d.grad.v4s32.f32
nvvm_tex_unified_1d_grad_v4u32_f32, // llvm.nvvm.tex.unified.1d.grad.v4u32.f32
nvvm_tex_unified_1d_level_v4f32_f32, // llvm.nvvm.tex.unified.1d.level.v4f32.f32
nvvm_tex_unified_1d_level_v4s32_f32, // llvm.nvvm.tex.unified.1d.level.v4s32.f32
nvvm_tex_unified_1d_level_v4u32_f32, // llvm.nvvm.tex.unified.1d.level.v4u32.f32
nvvm_tex_unified_1d_v4f32_f32, // llvm.nvvm.tex.unified.1d.v4f32.f32
nvvm_tex_unified_1d_v4f32_s32, // llvm.nvvm.tex.unified.1d.v4f32.s32
nvvm_tex_unified_1d_v4s32_f32, // llvm.nvvm.tex.unified.1d.v4s32.f32
nvvm_tex_unified_1d_v4s32_s32, // llvm.nvvm.tex.unified.1d.v4s32.s32
nvvm_tex_unified_1d_v4u32_f32, // llvm.nvvm.tex.unified.1d.v4u32.f32
nvvm_tex_unified_1d_v4u32_s32, // llvm.nvvm.tex.unified.1d.v4u32.s32
nvvm_tex_unified_2d_array_grad_v4f32_f32, // llvm.nvvm.tex.unified.2d.array.grad.v4f32.f32
nvvm_tex_unified_2d_array_grad_v4s32_f32, // llvm.nvvm.tex.unified.2d.array.grad.v4s32.f32
nvvm_tex_unified_2d_array_grad_v4u32_f32, // llvm.nvvm.tex.unified.2d.array.grad.v4u32.f32
nvvm_tex_unified_2d_array_level_v4f32_f32, // llvm.nvvm.tex.unified.2d.array.level.v4f32.f32
nvvm_tex_unified_2d_array_level_v4s32_f32, // llvm.nvvm.tex.unified.2d.array.level.v4s32.f32
nvvm_tex_unified_2d_array_level_v4u32_f32, // llvm.nvvm.tex.unified.2d.array.level.v4u32.f32
nvvm_tex_unified_2d_array_v4f32_f32, // llvm.nvvm.tex.unified.2d.array.v4f32.f32
nvvm_tex_unified_2d_array_v4f32_s32, // llvm.nvvm.tex.unified.2d.array.v4f32.s32
nvvm_tex_unified_2d_array_v4s32_f32, // llvm.nvvm.tex.unified.2d.array.v4s32.f32
nvvm_tex_unified_2d_array_v4s32_s32, // llvm.nvvm.tex.unified.2d.array.v4s32.s32
nvvm_tex_unified_2d_array_v4u32_f32, // llvm.nvvm.tex.unified.2d.array.v4u32.f32
nvvm_tex_unified_2d_array_v4u32_s32, // llvm.nvvm.tex.unified.2d.array.v4u32.s32
nvvm_tex_unified_2d_grad_v4f32_f32, // llvm.nvvm.tex.unified.2d.grad.v4f32.f32
nvvm_tex_unified_2d_grad_v4s32_f32, // llvm.nvvm.tex.unified.2d.grad.v4s32.f32
nvvm_tex_unified_2d_grad_v4u32_f32, // llvm.nvvm.tex.unified.2d.grad.v4u32.f32
nvvm_tex_unified_2d_level_v4f32_f32, // llvm.nvvm.tex.unified.2d.level.v4f32.f32
nvvm_tex_unified_2d_level_v4s32_f32, // llvm.nvvm.tex.unified.2d.level.v4s32.f32
nvvm_tex_unified_2d_level_v4u32_f32, // llvm.nvvm.tex.unified.2d.level.v4u32.f32
nvvm_tex_unified_2d_v4f32_f32, // llvm.nvvm.tex.unified.2d.v4f32.f32
nvvm_tex_unified_2d_v4f32_s32, // llvm.nvvm.tex.unified.2d.v4f32.s32
nvvm_tex_unified_2d_v4s32_f32, // llvm.nvvm.tex.unified.2d.v4s32.f32
nvvm_tex_unified_2d_v4s32_s32, // llvm.nvvm.tex.unified.2d.v4s32.s32
nvvm_tex_unified_2d_v4u32_f32, // llvm.nvvm.tex.unified.2d.v4u32.f32
nvvm_tex_unified_2d_v4u32_s32, // llvm.nvvm.tex.unified.2d.v4u32.s32
nvvm_tex_unified_3d_grad_v4f32_f32, // llvm.nvvm.tex.unified.3d.grad.v4f32.f32
nvvm_tex_unified_3d_grad_v4s32_f32, // llvm.nvvm.tex.unified.3d.grad.v4s32.f32
nvvm_tex_unified_3d_grad_v4u32_f32, // llvm.nvvm.tex.unified.3d.grad.v4u32.f32
nvvm_tex_unified_3d_level_v4f32_f32, // llvm.nvvm.tex.unified.3d.level.v4f32.f32
nvvm_tex_unified_3d_level_v4s32_f32, // llvm.nvvm.tex.unified.3d.level.v4s32.f32
nvvm_tex_unified_3d_level_v4u32_f32, // llvm.nvvm.tex.unified.3d.level.v4u32.f32
nvvm_tex_unified_3d_v4f32_f32, // llvm.nvvm.tex.unified.3d.v4f32.f32
nvvm_tex_unified_3d_v4f32_s32, // llvm.nvvm.tex.unified.3d.v4f32.s32
nvvm_tex_unified_3d_v4s32_f32, // llvm.nvvm.tex.unified.3d.v4s32.f32
nvvm_tex_unified_3d_v4s32_s32, // llvm.nvvm.tex.unified.3d.v4s32.s32
nvvm_tex_unified_3d_v4u32_f32, // llvm.nvvm.tex.unified.3d.v4u32.f32
nvvm_tex_unified_3d_v4u32_s32, // llvm.nvvm.tex.unified.3d.v4u32.s32
nvvm_tex_unified_cube_array_level_v4f32_f32, // llvm.nvvm.tex.unified.cube.array.level.v4f32.f32
nvvm_tex_unified_cube_array_level_v4s32_f32, // llvm.nvvm.tex.unified.cube.array.level.v4s32.f32
nvvm_tex_unified_cube_array_level_v4u32_f32, // llvm.nvvm.tex.unified.cube.array.level.v4u32.f32
nvvm_tex_unified_cube_array_v4f32_f32, // llvm.nvvm.tex.unified.cube.array.v4f32.f32
nvvm_tex_unified_cube_array_v4s32_f32, // llvm.nvvm.tex.unified.cube.array.v4s32.f32
nvvm_tex_unified_cube_array_v4u32_f32, // llvm.nvvm.tex.unified.cube.array.v4u32.f32
nvvm_tex_unified_cube_level_v4f32_f32, // llvm.nvvm.tex.unified.cube.level.v4f32.f32
nvvm_tex_unified_cube_level_v4s32_f32, // llvm.nvvm.tex.unified.cube.level.v4s32.f32
nvvm_tex_unified_cube_level_v4u32_f32, // llvm.nvvm.tex.unified.cube.level.v4u32.f32
nvvm_tex_unified_cube_v4f32_f32, // llvm.nvvm.tex.unified.cube.v4f32.f32
nvvm_tex_unified_cube_v4s32_f32, // llvm.nvvm.tex.unified.cube.v4s32.f32
nvvm_tex_unified_cube_v4u32_f32, // llvm.nvvm.tex.unified.cube.v4u32.f32
nvvm_texsurf_handle, // llvm.nvvm.texsurf.handle
nvvm_texsurf_handle_internal, // llvm.nvvm.texsurf.handle.internal
nvvm_tld4_a_2d_v4f32_f32, // llvm.nvvm.tld4.a.2d.v4f32.f32
nvvm_tld4_a_2d_v4s32_f32, // llvm.nvvm.tld4.a.2d.v4s32.f32
nvvm_tld4_a_2d_v4u32_f32, // llvm.nvvm.tld4.a.2d.v4u32.f32
nvvm_tld4_b_2d_v4f32_f32, // llvm.nvvm.tld4.b.2d.v4f32.f32
nvvm_tld4_b_2d_v4s32_f32, // llvm.nvvm.tld4.b.2d.v4s32.f32
nvvm_tld4_b_2d_v4u32_f32, // llvm.nvvm.tld4.b.2d.v4u32.f32
nvvm_tld4_g_2d_v4f32_f32, // llvm.nvvm.tld4.g.2d.v4f32.f32
nvvm_tld4_g_2d_v4s32_f32, // llvm.nvvm.tld4.g.2d.v4s32.f32
nvvm_tld4_g_2d_v4u32_f32, // llvm.nvvm.tld4.g.2d.v4u32.f32
nvvm_tld4_r_2d_v4f32_f32, // llvm.nvvm.tld4.r.2d.v4f32.f32
nvvm_tld4_r_2d_v4s32_f32, // llvm.nvvm.tld4.r.2d.v4s32.f32
nvvm_tld4_r_2d_v4u32_f32, // llvm.nvvm.tld4.r.2d.v4u32.f32
nvvm_tld4_unified_a_2d_v4f32_f32, // llvm.nvvm.tld4.unified.a.2d.v4f32.f32
nvvm_tld4_unified_a_2d_v4s32_f32, // llvm.nvvm.tld4.unified.a.2d.v4s32.f32
nvvm_tld4_unified_a_2d_v4u32_f32, // llvm.nvvm.tld4.unified.a.2d.v4u32.f32
nvvm_tld4_unified_b_2d_v4f32_f32, // llvm.nvvm.tld4.unified.b.2d.v4f32.f32
nvvm_tld4_unified_b_2d_v4s32_f32, // llvm.nvvm.tld4.unified.b.2d.v4s32.f32
nvvm_tld4_unified_b_2d_v4u32_f32, // llvm.nvvm.tld4.unified.b.2d.v4u32.f32
nvvm_tld4_unified_g_2d_v4f32_f32, // llvm.nvvm.tld4.unified.g.2d.v4f32.f32
nvvm_tld4_unified_g_2d_v4s32_f32, // llvm.nvvm.tld4.unified.g.2d.v4s32.f32
nvvm_tld4_unified_g_2d_v4u32_f32, // llvm.nvvm.tld4.unified.g.2d.v4u32.f32
nvvm_tld4_unified_r_2d_v4f32_f32, // llvm.nvvm.tld4.unified.r.2d.v4f32.f32
nvvm_tld4_unified_r_2d_v4s32_f32, // llvm.nvvm.tld4.unified.r.2d.v4s32.f32
nvvm_tld4_unified_r_2d_v4u32_f32, // llvm.nvvm.tld4.unified.r.2d.v4u32.f32
nvvm_trunc_d, // llvm.nvvm.trunc.d
nvvm_trunc_f, // llvm.nvvm.trunc.f
nvvm_trunc_ftz_f, // llvm.nvvm.trunc.ftz.f
nvvm_txq_array_size, // llvm.nvvm.txq.array.size
nvvm_txq_channel_data_type, // llvm.nvvm.txq.channel.data.type
nvvm_txq_channel_order, // llvm.nvvm.txq.channel.order
nvvm_txq_depth, // llvm.nvvm.txq.depth
nvvm_txq_height, // llvm.nvvm.txq.height
nvvm_txq_num_mipmap_levels, // llvm.nvvm.txq.num.mipmap.levels
nvvm_txq_num_samples, // llvm.nvvm.txq.num.samples
nvvm_txq_width, // llvm.nvvm.txq.width
nvvm_ui2d_rm, // llvm.nvvm.ui2d.rm
nvvm_ui2d_rn, // llvm.nvvm.ui2d.rn
nvvm_ui2d_rp, // llvm.nvvm.ui2d.rp
nvvm_ui2d_rz, // llvm.nvvm.ui2d.rz
nvvm_ui2f_rm, // llvm.nvvm.ui2f.rm
nvvm_ui2f_rn, // llvm.nvvm.ui2f.rn
nvvm_ui2f_rp, // llvm.nvvm.ui2f.rp
nvvm_ui2f_rz, // llvm.nvvm.ui2f.rz
nvvm_ull2d_rm, // llvm.nvvm.ull2d.rm
nvvm_ull2d_rn, // llvm.nvvm.ull2d.rn
nvvm_ull2d_rp, // llvm.nvvm.ull2d.rp
nvvm_ull2d_rz, // llvm.nvvm.ull2d.rz
nvvm_ull2f_rm, // llvm.nvvm.ull2f.rm
nvvm_ull2f_rn, // llvm.nvvm.ull2f.rn
nvvm_ull2f_rp, // llvm.nvvm.ull2f.rp
nvvm_ull2f_rz, // llvm.nvvm.ull2f.rz
nvvm_vote_all, // llvm.nvvm.vote.all
nvvm_vote_all_sync, // llvm.nvvm.vote.all.sync
nvvm_vote_any, // llvm.nvvm.vote.any
nvvm_vote_any_sync, // llvm.nvvm.vote.any.sync
nvvm_vote_ballot, // llvm.nvvm.vote.ballot
nvvm_vote_ballot_sync, // llvm.nvvm.vote.ballot.sync
nvvm_vote_uni, // llvm.nvvm.vote.uni
nvvm_vote_uni_sync, // llvm.nvvm.vote.uni.sync
nvvm_wmma_m16n16k16_load_a_f16_col, // llvm.nvvm.wmma.m16n16k16.load.a.col.f16
nvvm_wmma_m16n16k16_load_a_f16_col_stride, // llvm.nvvm.wmma.m16n16k16.load.a.col.stride.f16
nvvm_wmma_m16n16k16_load_a_f16_row, // llvm.nvvm.wmma.m16n16k16.load.a.row.f16
nvvm_wmma_m16n16k16_load_a_f16_row_stride, // llvm.nvvm.wmma.m16n16k16.load.a.row.stride.f16
nvvm_wmma_m16n16k16_load_b_f16_col, // llvm.nvvm.wmma.m16n16k16.load.b.col.f16
nvvm_wmma_m16n16k16_load_b_f16_col_stride, // llvm.nvvm.wmma.m16n16k16.load.b.col.stride.f16
nvvm_wmma_m16n16k16_load_b_f16_row, // llvm.nvvm.wmma.m16n16k16.load.b.row.f16
nvvm_wmma_m16n16k16_load_b_f16_row_stride, // llvm.nvvm.wmma.m16n16k16.load.b.row.stride.f16
nvvm_wmma_m16n16k16_load_c_f16_col, // llvm.nvvm.wmma.m16n16k16.load.c.col.f16
nvvm_wmma_m16n16k16_load_c_f32_col, // llvm.nvvm.wmma.m16n16k16.load.c.col.f32
nvvm_wmma_m16n16k16_load_c_f16_col_stride, // llvm.nvvm.wmma.m16n16k16.load.c.col.stride.f16
nvvm_wmma_m16n16k16_load_c_f32_col_stride, // llvm.nvvm.wmma.m16n16k16.load.c.col.stride.f32
nvvm_wmma_m16n16k16_load_c_f16_row, // llvm.nvvm.wmma.m16n16k16.load.c.row.f16
nvvm_wmma_m16n16k16_load_c_f32_row, // llvm.nvvm.wmma.m16n16k16.load.c.row.f32
nvvm_wmma_m16n16k16_load_c_f16_row_stride, // llvm.nvvm.wmma.m16n16k16.load.c.row.stride.f16
nvvm_wmma_m16n16k16_load_c_f32_row_stride, // llvm.nvvm.wmma.m16n16k16.load.c.row.stride.f32
nvvm_wmma_m16n16k16_mma_col_col_f16_f16, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f16.f16
nvvm_wmma_m16n16k16_mma_col_col_f16_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f16.f16.satfinite
nvvm_wmma_m16n16k16_mma_col_col_f16_f32, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f16.f32
nvvm_wmma_m16n16k16_mma_col_col_f16_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f16.f32.satfinite
nvvm_wmma_m16n16k16_mma_col_col_f32_f16, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f32.f16
nvvm_wmma_m16n16k16_mma_col_col_f32_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f32.f16.satfinite
nvvm_wmma_m16n16k16_mma_col_col_f32_f32, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f32.f32
nvvm_wmma_m16n16k16_mma_col_col_f32_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.col.f32.f32.satfinite
nvvm_wmma_m16n16k16_mma_col_row_f16_f16, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f16.f16
nvvm_wmma_m16n16k16_mma_col_row_f16_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f16.f16.satfinite
nvvm_wmma_m16n16k16_mma_col_row_f16_f32, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f16.f32
nvvm_wmma_m16n16k16_mma_col_row_f16_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f16.f32.satfinite
nvvm_wmma_m16n16k16_mma_col_row_f32_f16, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f32.f16
nvvm_wmma_m16n16k16_mma_col_row_f32_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f32.f16.satfinite
nvvm_wmma_m16n16k16_mma_col_row_f32_f32, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f32.f32
nvvm_wmma_m16n16k16_mma_col_row_f32_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.col.row.f32.f32.satfinite
nvvm_wmma_m16n16k16_mma_row_col_f16_f16, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f16.f16
nvvm_wmma_m16n16k16_mma_row_col_f16_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f16.f16.satfinite
nvvm_wmma_m16n16k16_mma_row_col_f16_f32, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f16.f32
nvvm_wmma_m16n16k16_mma_row_col_f16_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f16.f32.satfinite
nvvm_wmma_m16n16k16_mma_row_col_f32_f16, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f32.f16
nvvm_wmma_m16n16k16_mma_row_col_f32_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f32.f16.satfinite
nvvm_wmma_m16n16k16_mma_row_col_f32_f32, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f32.f32
nvvm_wmma_m16n16k16_mma_row_col_f32_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.col.f32.f32.satfinite
nvvm_wmma_m16n16k16_mma_row_row_f16_f16, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f16.f16
nvvm_wmma_m16n16k16_mma_row_row_f16_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f16.f16.satfinite
nvvm_wmma_m16n16k16_mma_row_row_f16_f32, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f16.f32
nvvm_wmma_m16n16k16_mma_row_row_f16_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f16.f32.satfinite
nvvm_wmma_m16n16k16_mma_row_row_f32_f16, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f32.f16
nvvm_wmma_m16n16k16_mma_row_row_f32_f16_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f32.f16.satfinite
nvvm_wmma_m16n16k16_mma_row_row_f32_f32, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f32.f32
nvvm_wmma_m16n16k16_mma_row_row_f32_f32_satfinite, // llvm.nvvm.wmma.m16n16k16.mma.row.row.f32.f32.satfinite
nvvm_wmma_m16n16k16_store_d_f16_col, // llvm.nvvm.wmma.m16n16k16.store.d.col.f16
nvvm_wmma_m16n16k16_store_d_f32_col, // llvm.nvvm.wmma.m16n16k16.store.d.col.f32
nvvm_wmma_m16n16k16_store_d_f16_col_stride, // llvm.nvvm.wmma.m16n16k16.store.d.col.stride.f16
nvvm_wmma_m16n16k16_store_d_f32_col_stride, // llvm.nvvm.wmma.m16n16k16.store.d.col.stride.f32
nvvm_wmma_m16n16k16_store_d_f16_row, // llvm.nvvm.wmma.m16n16k16.store.d.row.f16
nvvm_wmma_m16n16k16_store_d_f32_row, // llvm.nvvm.wmma.m16n16k16.store.d.row.f32
nvvm_wmma_m16n16k16_store_d_f16_row_stride, // llvm.nvvm.wmma.m16n16k16.store.d.row.stride.f16
nvvm_wmma_m16n16k16_store_d_f32_row_stride, // llvm.nvvm.wmma.m16n16k16.store.d.row.stride.f32
nvvm_wmma_m32n8k16_load_a_f16_col, // llvm.nvvm.wmma.m32n8k16.load.a.col.f16
nvvm_wmma_m32n8k16_load_a_f16_col_stride, // llvm.nvvm.wmma.m32n8k16.load.a.col.stride.f16
nvvm_wmma_m32n8k16_load_a_f16_row, // llvm.nvvm.wmma.m32n8k16.load.a.row.f16
nvvm_wmma_m32n8k16_load_a_f16_row_stride, // llvm.nvvm.wmma.m32n8k16.load.a.row.stride.f16
nvvm_wmma_m32n8k16_load_b_f16_col, // llvm.nvvm.wmma.m32n8k16.load.b.col.f16
nvvm_wmma_m32n8k16_load_b_f16_col_stride, // llvm.nvvm.wmma.m32n8k16.load.b.col.stride.f16
nvvm_wmma_m32n8k16_load_b_f16_row, // llvm.nvvm.wmma.m32n8k16.load.b.row.f16
nvvm_wmma_m32n8k16_load_b_f16_row_stride, // llvm.nvvm.wmma.m32n8k16.load.b.row.stride.f16
nvvm_wmma_m32n8k16_load_c_f16_col, // llvm.nvvm.wmma.m32n8k16.load.c.col.f16
nvvm_wmma_m32n8k16_load_c_f32_col, // llvm.nvvm.wmma.m32n8k16.load.c.col.f32
nvvm_wmma_m32n8k16_load_c_f16_col_stride, // llvm.nvvm.wmma.m32n8k16.load.c.col.stride.f16
nvvm_wmma_m32n8k16_load_c_f32_col_stride, // llvm.nvvm.wmma.m32n8k16.load.c.col.stride.f32
nvvm_wmma_m32n8k16_load_c_f16_row, // llvm.nvvm.wmma.m32n8k16.load.c.row.f16
nvvm_wmma_m32n8k16_load_c_f32_row, // llvm.nvvm.wmma.m32n8k16.load.c.row.f32
nvvm_wmma_m32n8k16_load_c_f16_row_stride, // llvm.nvvm.wmma.m32n8k16.load.c.row.stride.f16
nvvm_wmma_m32n8k16_load_c_f32_row_stride, // llvm.nvvm.wmma.m32n8k16.load.c.row.stride.f32
nvvm_wmma_m32n8k16_mma_col_col_f16_f16, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f16.f16
nvvm_wmma_m32n8k16_mma_col_col_f16_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f16.f16.satfinite
nvvm_wmma_m32n8k16_mma_col_col_f16_f32, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f16.f32
nvvm_wmma_m32n8k16_mma_col_col_f16_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f16.f32.satfinite
nvvm_wmma_m32n8k16_mma_col_col_f32_f16, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f32.f16
nvvm_wmma_m32n8k16_mma_col_col_f32_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f32.f16.satfinite
nvvm_wmma_m32n8k16_mma_col_col_f32_f32, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f32.f32
nvvm_wmma_m32n8k16_mma_col_col_f32_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.col.f32.f32.satfinite
nvvm_wmma_m32n8k16_mma_col_row_f16_f16, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f16.f16
nvvm_wmma_m32n8k16_mma_col_row_f16_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f16.f16.satfinite
nvvm_wmma_m32n8k16_mma_col_row_f16_f32, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f16.f32
nvvm_wmma_m32n8k16_mma_col_row_f16_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f16.f32.satfinite
nvvm_wmma_m32n8k16_mma_col_row_f32_f16, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f32.f16
nvvm_wmma_m32n8k16_mma_col_row_f32_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f32.f16.satfinite
nvvm_wmma_m32n8k16_mma_col_row_f32_f32, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f32.f32
nvvm_wmma_m32n8k16_mma_col_row_f32_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.col.row.f32.f32.satfinite
nvvm_wmma_m32n8k16_mma_row_col_f16_f16, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f16.f16
nvvm_wmma_m32n8k16_mma_row_col_f16_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f16.f16.satfinite
nvvm_wmma_m32n8k16_mma_row_col_f16_f32, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f16.f32
nvvm_wmma_m32n8k16_mma_row_col_f16_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f16.f32.satfinite
nvvm_wmma_m32n8k16_mma_row_col_f32_f16, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f32.f16
nvvm_wmma_m32n8k16_mma_row_col_f32_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f32.f16.satfinite
nvvm_wmma_m32n8k16_mma_row_col_f32_f32, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f32.f32
nvvm_wmma_m32n8k16_mma_row_col_f32_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.col.f32.f32.satfinite
nvvm_wmma_m32n8k16_mma_row_row_f16_f16, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f16.f16
nvvm_wmma_m32n8k16_mma_row_row_f16_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f16.f16.satfinite
nvvm_wmma_m32n8k16_mma_row_row_f16_f32, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f16.f32
nvvm_wmma_m32n8k16_mma_row_row_f16_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f16.f32.satfinite
nvvm_wmma_m32n8k16_mma_row_row_f32_f16, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f32.f16
nvvm_wmma_m32n8k16_mma_row_row_f32_f16_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f32.f16.satfinite
nvvm_wmma_m32n8k16_mma_row_row_f32_f32, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f32.f32
nvvm_wmma_m32n8k16_mma_row_row_f32_f32_satfinite, // llvm.nvvm.wmma.m32n8k16.mma.row.row.f32.f32.satfinite
nvvm_wmma_m32n8k16_store_d_f16_col, // llvm.nvvm.wmma.m32n8k16.store.d.col.f16
nvvm_wmma_m32n8k16_store_d_f32_col, // llvm.nvvm.wmma.m32n8k16.store.d.col.f32
nvvm_wmma_m32n8k16_store_d_f16_col_stride, // llvm.nvvm.wmma.m32n8k16.store.d.col.stride.f16
nvvm_wmma_m32n8k16_store_d_f32_col_stride, // llvm.nvvm.wmma.m32n8k16.store.d.col.stride.f32
nvvm_wmma_m32n8k16_store_d_f16_row, // llvm.nvvm.wmma.m32n8k16.store.d.row.f16
nvvm_wmma_m32n8k16_store_d_f32_row, // llvm.nvvm.wmma.m32n8k16.store.d.row.f32
nvvm_wmma_m32n8k16_store_d_f16_row_stride, // llvm.nvvm.wmma.m32n8k16.store.d.row.stride.f16
nvvm_wmma_m32n8k16_store_d_f32_row_stride, // llvm.nvvm.wmma.m32n8k16.store.d.row.stride.f32
nvvm_wmma_m8n32k16_load_a_f16_col, // llvm.nvvm.wmma.m8n32k16.load.a.col.f16
nvvm_wmma_m8n32k16_load_a_f16_col_stride, // llvm.nvvm.wmma.m8n32k16.load.a.col.stride.f16
nvvm_wmma_m8n32k16_load_a_f16_row, // llvm.nvvm.wmma.m8n32k16.load.a.row.f16
nvvm_wmma_m8n32k16_load_a_f16_row_stride, // llvm.nvvm.wmma.m8n32k16.load.a.row.stride.f16
nvvm_wmma_m8n32k16_load_b_f16_col, // llvm.nvvm.wmma.m8n32k16.load.b.col.f16
nvvm_wmma_m8n32k16_load_b_f16_col_stride, // llvm.nvvm.wmma.m8n32k16.load.b.col.stride.f16
nvvm_wmma_m8n32k16_load_b_f16_row, // llvm.nvvm.wmma.m8n32k16.load.b.row.f16
nvvm_wmma_m8n32k16_load_b_f16_row_stride, // llvm.nvvm.wmma.m8n32k16.load.b.row.stride.f16
nvvm_wmma_m8n32k16_load_c_f16_col, // llvm.nvvm.wmma.m8n32k16.load.c.col.f16
nvvm_wmma_m8n32k16_load_c_f32_col, // llvm.nvvm.wmma.m8n32k16.load.c.col.f32
nvvm_wmma_m8n32k16_load_c_f16_col_stride, // llvm.nvvm.wmma.m8n32k16.load.c.col.stride.f16
nvvm_wmma_m8n32k16_load_c_f32_col_stride, // llvm.nvvm.wmma.m8n32k16.load.c.col.stride.f32
nvvm_wmma_m8n32k16_load_c_f16_row, // llvm.nvvm.wmma.m8n32k16.load.c.row.f16
nvvm_wmma_m8n32k16_load_c_f32_row, // llvm.nvvm.wmma.m8n32k16.load.c.row.f32
nvvm_wmma_m8n32k16_load_c_f16_row_stride, // llvm.nvvm.wmma.m8n32k16.load.c.row.stride.f16
nvvm_wmma_m8n32k16_load_c_f32_row_stride, // llvm.nvvm.wmma.m8n32k16.load.c.row.stride.f32
nvvm_wmma_m8n32k16_mma_col_col_f16_f16, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f16.f16
nvvm_wmma_m8n32k16_mma_col_col_f16_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f16.f16.satfinite
nvvm_wmma_m8n32k16_mma_col_col_f16_f32, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f16.f32
nvvm_wmma_m8n32k16_mma_col_col_f16_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f16.f32.satfinite
nvvm_wmma_m8n32k16_mma_col_col_f32_f16, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f32.f16
nvvm_wmma_m8n32k16_mma_col_col_f32_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f32.f16.satfinite
nvvm_wmma_m8n32k16_mma_col_col_f32_f32, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f32.f32
nvvm_wmma_m8n32k16_mma_col_col_f32_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.col.f32.f32.satfinite
nvvm_wmma_m8n32k16_mma_col_row_f16_f16, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f16.f16
nvvm_wmma_m8n32k16_mma_col_row_f16_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f16.f16.satfinite
nvvm_wmma_m8n32k16_mma_col_row_f16_f32, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f16.f32
nvvm_wmma_m8n32k16_mma_col_row_f16_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f16.f32.satfinite
nvvm_wmma_m8n32k16_mma_col_row_f32_f16, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f32.f16
nvvm_wmma_m8n32k16_mma_col_row_f32_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f32.f16.satfinite
nvvm_wmma_m8n32k16_mma_col_row_f32_f32, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f32.f32
nvvm_wmma_m8n32k16_mma_col_row_f32_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.col.row.f32.f32.satfinite
nvvm_wmma_m8n32k16_mma_row_col_f16_f16, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f16.f16
nvvm_wmma_m8n32k16_mma_row_col_f16_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f16.f16.satfinite
nvvm_wmma_m8n32k16_mma_row_col_f16_f32, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f16.f32
nvvm_wmma_m8n32k16_mma_row_col_f16_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f16.f32.satfinite
nvvm_wmma_m8n32k16_mma_row_col_f32_f16, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f32.f16
nvvm_wmma_m8n32k16_mma_row_col_f32_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f32.f16.satfinite
nvvm_wmma_m8n32k16_mma_row_col_f32_f32, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f32.f32
nvvm_wmma_m8n32k16_mma_row_col_f32_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.col.f32.f32.satfinite
nvvm_wmma_m8n32k16_mma_row_row_f16_f16, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f16.f16
nvvm_wmma_m8n32k16_mma_row_row_f16_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f16.f16.satfinite
nvvm_wmma_m8n32k16_mma_row_row_f16_f32, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f16.f32
nvvm_wmma_m8n32k16_mma_row_row_f16_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f16.f32.satfinite
nvvm_wmma_m8n32k16_mma_row_row_f32_f16, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f32.f16
nvvm_wmma_m8n32k16_mma_row_row_f32_f16_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f32.f16.satfinite
nvvm_wmma_m8n32k16_mma_row_row_f32_f32, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f32.f32
nvvm_wmma_m8n32k16_mma_row_row_f32_f32_satfinite, // llvm.nvvm.wmma.m8n32k16.mma.row.row.f32.f32.satfinite
nvvm_wmma_m8n32k16_store_d_f16_col, // llvm.nvvm.wmma.m8n32k16.store.d.col.f16
nvvm_wmma_m8n32k16_store_d_f32_col, // llvm.nvvm.wmma.m8n32k16.store.d.col.f32
nvvm_wmma_m8n32k16_store_d_f16_col_stride, // llvm.nvvm.wmma.m8n32k16.store.d.col.stride.f16
nvvm_wmma_m8n32k16_store_d_f32_col_stride, // llvm.nvvm.wmma.m8n32k16.store.d.col.stride.f32
nvvm_wmma_m8n32k16_store_d_f16_row, // llvm.nvvm.wmma.m8n32k16.store.d.row.f16
nvvm_wmma_m8n32k16_store_d_f32_row, // llvm.nvvm.wmma.m8n32k16.store.d.row.f32
nvvm_wmma_m8n32k16_store_d_f16_row_stride, // llvm.nvvm.wmma.m8n32k16.store.d.row.stride.f16
nvvm_wmma_m8n32k16_store_d_f32_row_stride, // llvm.nvvm.wmma.m8n32k16.store.d.row.stride.f32
ppc_addf128_round_to_odd, // llvm.ppc.addf128.round.to.odd
ppc_altivec_crypto_vcipher, // llvm.ppc.altivec.crypto.vcipher
ppc_altivec_crypto_vcipherlast, // llvm.ppc.altivec.crypto.vcipherlast
ppc_altivec_crypto_vncipher, // llvm.ppc.altivec.crypto.vncipher
ppc_altivec_crypto_vncipherlast, // llvm.ppc.altivec.crypto.vncipherlast
ppc_altivec_crypto_vpermxor, // llvm.ppc.altivec.crypto.vpermxor
ppc_altivec_crypto_vpmsumb, // llvm.ppc.altivec.crypto.vpmsumb
ppc_altivec_crypto_vpmsumd, // llvm.ppc.altivec.crypto.vpmsumd
ppc_altivec_crypto_vpmsumh, // llvm.ppc.altivec.crypto.vpmsumh
ppc_altivec_crypto_vpmsumw, // llvm.ppc.altivec.crypto.vpmsumw
ppc_altivec_crypto_vsbox, // llvm.ppc.altivec.crypto.vsbox
ppc_altivec_crypto_vshasigmad, // llvm.ppc.altivec.crypto.vshasigmad
ppc_altivec_crypto_vshasigmaw, // llvm.ppc.altivec.crypto.vshasigmaw
ppc_altivec_dss, // llvm.ppc.altivec.dss
ppc_altivec_dssall, // llvm.ppc.altivec.dssall
ppc_altivec_dst, // llvm.ppc.altivec.dst
ppc_altivec_dstst, // llvm.ppc.altivec.dstst
ppc_altivec_dststt, // llvm.ppc.altivec.dststt
ppc_altivec_dstt, // llvm.ppc.altivec.dstt
ppc_altivec_lvebx, // llvm.ppc.altivec.lvebx
ppc_altivec_lvehx, // llvm.ppc.altivec.lvehx
ppc_altivec_lvewx, // llvm.ppc.altivec.lvewx
ppc_altivec_lvsl, // llvm.ppc.altivec.lvsl
ppc_altivec_lvsr, // llvm.ppc.altivec.lvsr
ppc_altivec_lvx, // llvm.ppc.altivec.lvx
ppc_altivec_lvxl, // llvm.ppc.altivec.lvxl
ppc_altivec_mfvscr, // llvm.ppc.altivec.mfvscr
ppc_altivec_mtvscr, // llvm.ppc.altivec.mtvscr
ppc_altivec_stvebx, // llvm.ppc.altivec.stvebx
ppc_altivec_stvehx, // llvm.ppc.altivec.stvehx
ppc_altivec_stvewx, // llvm.ppc.altivec.stvewx
ppc_altivec_stvx, // llvm.ppc.altivec.stvx
ppc_altivec_stvxl, // llvm.ppc.altivec.stvxl
ppc_altivec_vabsdub, // llvm.ppc.altivec.vabsdub
ppc_altivec_vabsduh, // llvm.ppc.altivec.vabsduh
ppc_altivec_vabsduw, // llvm.ppc.altivec.vabsduw
ppc_altivec_vaddcuq, // llvm.ppc.altivec.vaddcuq
ppc_altivec_vaddcuw, // llvm.ppc.altivec.vaddcuw
ppc_altivec_vaddecuq, // llvm.ppc.altivec.vaddecuq
ppc_altivec_vaddeuqm, // llvm.ppc.altivec.vaddeuqm
ppc_altivec_vaddsbs, // llvm.ppc.altivec.vaddsbs
ppc_altivec_vaddshs, // llvm.ppc.altivec.vaddshs
ppc_altivec_vaddsws, // llvm.ppc.altivec.vaddsws
ppc_altivec_vaddubs, // llvm.ppc.altivec.vaddubs
ppc_altivec_vadduhs, // llvm.ppc.altivec.vadduhs
ppc_altivec_vadduws, // llvm.ppc.altivec.vadduws
ppc_altivec_vavgsb, // llvm.ppc.altivec.vavgsb
ppc_altivec_vavgsh, // llvm.ppc.altivec.vavgsh
ppc_altivec_vavgsw, // llvm.ppc.altivec.vavgsw
ppc_altivec_vavgub, // llvm.ppc.altivec.vavgub
ppc_altivec_vavguh, // llvm.ppc.altivec.vavguh
ppc_altivec_vavguw, // llvm.ppc.altivec.vavguw
ppc_altivec_vbpermq, // llvm.ppc.altivec.vbpermq
ppc_altivec_vcfsx, // llvm.ppc.altivec.vcfsx
ppc_altivec_vcfux, // llvm.ppc.altivec.vcfux
ppc_altivec_vclzlsbb, // llvm.ppc.altivec.vclzlsbb
ppc_altivec_vcmpbfp, // llvm.ppc.altivec.vcmpbfp
ppc_altivec_vcmpbfp_p, // llvm.ppc.altivec.vcmpbfp.p
ppc_altivec_vcmpeqfp, // llvm.ppc.altivec.vcmpeqfp
ppc_altivec_vcmpeqfp_p, // llvm.ppc.altivec.vcmpeqfp.p
ppc_altivec_vcmpequb, // llvm.ppc.altivec.vcmpequb
ppc_altivec_vcmpequb_p, // llvm.ppc.altivec.vcmpequb.p
ppc_altivec_vcmpequd, // llvm.ppc.altivec.vcmpequd
ppc_altivec_vcmpequd_p, // llvm.ppc.altivec.vcmpequd.p
ppc_altivec_vcmpequh, // llvm.ppc.altivec.vcmpequh
ppc_altivec_vcmpequh_p, // llvm.ppc.altivec.vcmpequh.p
ppc_altivec_vcmpequw, // llvm.ppc.altivec.vcmpequw
ppc_altivec_vcmpequw_p, // llvm.ppc.altivec.vcmpequw.p
ppc_altivec_vcmpgefp, // llvm.ppc.altivec.vcmpgefp
ppc_altivec_vcmpgefp_p, // llvm.ppc.altivec.vcmpgefp.p
ppc_altivec_vcmpgtfp, // llvm.ppc.altivec.vcmpgtfp
ppc_altivec_vcmpgtfp_p, // llvm.ppc.altivec.vcmpgtfp.p
ppc_altivec_vcmpgtsb, // llvm.ppc.altivec.vcmpgtsb
ppc_altivec_vcmpgtsb_p, // llvm.ppc.altivec.vcmpgtsb.p
ppc_altivec_vcmpgtsd, // llvm.ppc.altivec.vcmpgtsd
ppc_altivec_vcmpgtsd_p, // llvm.ppc.altivec.vcmpgtsd.p
ppc_altivec_vcmpgtsh, // llvm.ppc.altivec.vcmpgtsh
ppc_altivec_vcmpgtsh_p, // llvm.ppc.altivec.vcmpgtsh.p
ppc_altivec_vcmpgtsw, // llvm.ppc.altivec.vcmpgtsw
ppc_altivec_vcmpgtsw_p, // llvm.ppc.altivec.vcmpgtsw.p
ppc_altivec_vcmpgtub, // llvm.ppc.altivec.vcmpgtub
ppc_altivec_vcmpgtub_p, // llvm.ppc.altivec.vcmpgtub.p
ppc_altivec_vcmpgtud, // llvm.ppc.altivec.vcmpgtud
ppc_altivec_vcmpgtud_p, // llvm.ppc.altivec.vcmpgtud.p
ppc_altivec_vcmpgtuh, // llvm.ppc.altivec.vcmpgtuh
ppc_altivec_vcmpgtuh_p, // llvm.ppc.altivec.vcmpgtuh.p
ppc_altivec_vcmpgtuw, // llvm.ppc.altivec.vcmpgtuw
ppc_altivec_vcmpgtuw_p, // llvm.ppc.altivec.vcmpgtuw.p
ppc_altivec_vcmpneb, // llvm.ppc.altivec.vcmpneb
ppc_altivec_vcmpneb_p, // llvm.ppc.altivec.vcmpneb.p
ppc_altivec_vcmpneh, // llvm.ppc.altivec.vcmpneh
ppc_altivec_vcmpneh_p, // llvm.ppc.altivec.vcmpneh.p
ppc_altivec_vcmpnew, // llvm.ppc.altivec.vcmpnew
ppc_altivec_vcmpnew_p, // llvm.ppc.altivec.vcmpnew.p
ppc_altivec_vcmpnezb, // llvm.ppc.altivec.vcmpnezb
ppc_altivec_vcmpnezb_p, // llvm.ppc.altivec.vcmpnezb.p
ppc_altivec_vcmpnezh, // llvm.ppc.altivec.vcmpnezh
ppc_altivec_vcmpnezh_p, // llvm.ppc.altivec.vcmpnezh.p
ppc_altivec_vcmpnezw, // llvm.ppc.altivec.vcmpnezw
ppc_altivec_vcmpnezw_p, // llvm.ppc.altivec.vcmpnezw.p
ppc_altivec_vctsxs, // llvm.ppc.altivec.vctsxs
ppc_altivec_vctuxs, // llvm.ppc.altivec.vctuxs
ppc_altivec_vctzlsbb, // llvm.ppc.altivec.vctzlsbb
ppc_altivec_vexptefp, // llvm.ppc.altivec.vexptefp
ppc_altivec_vgbbd, // llvm.ppc.altivec.vgbbd
ppc_altivec_vlogefp, // llvm.ppc.altivec.vlogefp
ppc_altivec_vmaddfp, // llvm.ppc.altivec.vmaddfp
ppc_altivec_vmaxfp, // llvm.ppc.altivec.vmaxfp
ppc_altivec_vmaxsb, // llvm.ppc.altivec.vmaxsb
ppc_altivec_vmaxsd, // llvm.ppc.altivec.vmaxsd
ppc_altivec_vmaxsh, // llvm.ppc.altivec.vmaxsh
ppc_altivec_vmaxsw, // llvm.ppc.altivec.vmaxsw
ppc_altivec_vmaxub, // llvm.ppc.altivec.vmaxub
ppc_altivec_vmaxud, // llvm.ppc.altivec.vmaxud
ppc_altivec_vmaxuh, // llvm.ppc.altivec.vmaxuh
ppc_altivec_vmaxuw, // llvm.ppc.altivec.vmaxuw
ppc_altivec_vmhaddshs, // llvm.ppc.altivec.vmhaddshs
ppc_altivec_vmhraddshs, // llvm.ppc.altivec.vmhraddshs
ppc_altivec_vminfp, // llvm.ppc.altivec.vminfp
ppc_altivec_vminsb, // llvm.ppc.altivec.vminsb
ppc_altivec_vminsd, // llvm.ppc.altivec.vminsd
ppc_altivec_vminsh, // llvm.ppc.altivec.vminsh
ppc_altivec_vminsw, // llvm.ppc.altivec.vminsw
ppc_altivec_vminub, // llvm.ppc.altivec.vminub
ppc_altivec_vminud, // llvm.ppc.altivec.vminud
ppc_altivec_vminuh, // llvm.ppc.altivec.vminuh
ppc_altivec_vminuw, // llvm.ppc.altivec.vminuw
ppc_altivec_vmladduhm, // llvm.ppc.altivec.vmladduhm
ppc_altivec_vmsummbm, // llvm.ppc.altivec.vmsummbm
ppc_altivec_vmsumshm, // llvm.ppc.altivec.vmsumshm
ppc_altivec_vmsumshs, // llvm.ppc.altivec.vmsumshs
ppc_altivec_vmsumubm, // llvm.ppc.altivec.vmsumubm
ppc_altivec_vmsumuhm, // llvm.ppc.altivec.vmsumuhm
ppc_altivec_vmsumuhs, // llvm.ppc.altivec.vmsumuhs
ppc_altivec_vmulesb, // llvm.ppc.altivec.vmulesb
ppc_altivec_vmulesh, // llvm.ppc.altivec.vmulesh
ppc_altivec_vmulesw, // llvm.ppc.altivec.vmulesw
ppc_altivec_vmuleub, // llvm.ppc.altivec.vmuleub
ppc_altivec_vmuleuh, // llvm.ppc.altivec.vmuleuh
ppc_altivec_vmuleuw, // llvm.ppc.altivec.vmuleuw
ppc_altivec_vmulosb, // llvm.ppc.altivec.vmulosb
ppc_altivec_vmulosh, // llvm.ppc.altivec.vmulosh
ppc_altivec_vmulosw, // llvm.ppc.altivec.vmulosw
ppc_altivec_vmuloub, // llvm.ppc.altivec.vmuloub
ppc_altivec_vmulouh, // llvm.ppc.altivec.vmulouh
ppc_altivec_vmulouw, // llvm.ppc.altivec.vmulouw
ppc_altivec_vnmsubfp, // llvm.ppc.altivec.vnmsubfp
ppc_altivec_vperm, // llvm.ppc.altivec.vperm
ppc_altivec_vpkpx, // llvm.ppc.altivec.vpkpx
ppc_altivec_vpksdss, // llvm.ppc.altivec.vpksdss
ppc_altivec_vpksdus, // llvm.ppc.altivec.vpksdus
ppc_altivec_vpkshss, // llvm.ppc.altivec.vpkshss
ppc_altivec_vpkshus, // llvm.ppc.altivec.vpkshus
ppc_altivec_vpkswss, // llvm.ppc.altivec.vpkswss
ppc_altivec_vpkswus, // llvm.ppc.altivec.vpkswus
ppc_altivec_vpkudus, // llvm.ppc.altivec.vpkudus
ppc_altivec_vpkuhus, // llvm.ppc.altivec.vpkuhus
ppc_altivec_vpkuwus, // llvm.ppc.altivec.vpkuwus
ppc_altivec_vprtybd, // llvm.ppc.altivec.vprtybd
ppc_altivec_vprtybq, // llvm.ppc.altivec.vprtybq
ppc_altivec_vprtybw, // llvm.ppc.altivec.vprtybw
ppc_altivec_vrefp, // llvm.ppc.altivec.vrefp
ppc_altivec_vrfim, // llvm.ppc.altivec.vrfim
ppc_altivec_vrfin, // llvm.ppc.altivec.vrfin
ppc_altivec_vrfip, // llvm.ppc.altivec.vrfip
ppc_altivec_vrfiz, // llvm.ppc.altivec.vrfiz
ppc_altivec_vrlb, // llvm.ppc.altivec.vrlb
ppc_altivec_vrld, // llvm.ppc.altivec.vrld
ppc_altivec_vrldmi, // llvm.ppc.altivec.vrldmi
ppc_altivec_vrldnm, // llvm.ppc.altivec.vrldnm
ppc_altivec_vrlh, // llvm.ppc.altivec.vrlh
ppc_altivec_vrlw, // llvm.ppc.altivec.vrlw
ppc_altivec_vrlwmi, // llvm.ppc.altivec.vrlwmi
ppc_altivec_vrlwnm, // llvm.ppc.altivec.vrlwnm
ppc_altivec_vrsqrtefp, // llvm.ppc.altivec.vrsqrtefp
ppc_altivec_vsel, // llvm.ppc.altivec.vsel
ppc_altivec_vsl, // llvm.ppc.altivec.vsl
ppc_altivec_vslb, // llvm.ppc.altivec.vslb
ppc_altivec_vslh, // llvm.ppc.altivec.vslh
ppc_altivec_vslo, // llvm.ppc.altivec.vslo
ppc_altivec_vslv, // llvm.ppc.altivec.vslv
ppc_altivec_vslw, // llvm.ppc.altivec.vslw
ppc_altivec_vsr, // llvm.ppc.altivec.vsr
ppc_altivec_vsrab, // llvm.ppc.altivec.vsrab
ppc_altivec_vsrah, // llvm.ppc.altivec.vsrah
ppc_altivec_vsraw, // llvm.ppc.altivec.vsraw
ppc_altivec_vsrb, // llvm.ppc.altivec.vsrb
ppc_altivec_vsrh, // llvm.ppc.altivec.vsrh
ppc_altivec_vsro, // llvm.ppc.altivec.vsro
ppc_altivec_vsrv, // llvm.ppc.altivec.vsrv
ppc_altivec_vsrw, // llvm.ppc.altivec.vsrw
ppc_altivec_vsubcuq, // llvm.ppc.altivec.vsubcuq
ppc_altivec_vsubcuw, // llvm.ppc.altivec.vsubcuw
ppc_altivec_vsubecuq, // llvm.ppc.altivec.vsubecuq
ppc_altivec_vsubeuqm, // llvm.ppc.altivec.vsubeuqm
ppc_altivec_vsubsbs, // llvm.ppc.altivec.vsubsbs
ppc_altivec_vsubshs, // llvm.ppc.altivec.vsubshs
ppc_altivec_vsubsws, // llvm.ppc.altivec.vsubsws
ppc_altivec_vsububs, // llvm.ppc.altivec.vsububs
ppc_altivec_vsubuhs, // llvm.ppc.altivec.vsubuhs
ppc_altivec_vsubuws, // llvm.ppc.altivec.vsubuws
ppc_altivec_vsum2sws, // llvm.ppc.altivec.vsum2sws
ppc_altivec_vsum4sbs, // llvm.ppc.altivec.vsum4sbs
ppc_altivec_vsum4shs, // llvm.ppc.altivec.vsum4shs
ppc_altivec_vsum4ubs, // llvm.ppc.altivec.vsum4ubs
ppc_altivec_vsumsws, // llvm.ppc.altivec.vsumsws
ppc_altivec_vupkhpx, // llvm.ppc.altivec.vupkhpx
ppc_altivec_vupkhsb, // llvm.ppc.altivec.vupkhsb
ppc_altivec_vupkhsh, // llvm.ppc.altivec.vupkhsh
ppc_altivec_vupkhsw, // llvm.ppc.altivec.vupkhsw
ppc_altivec_vupklpx, // llvm.ppc.altivec.vupklpx
ppc_altivec_vupklsb, // llvm.ppc.altivec.vupklsb
ppc_altivec_vupklsh, // llvm.ppc.altivec.vupklsh
ppc_altivec_vupklsw, // llvm.ppc.altivec.vupklsw
ppc_bpermd, // llvm.ppc.bpermd
ppc_cfence, // llvm.ppc.cfence
ppc_dcba, // llvm.ppc.dcba
ppc_dcbf, // llvm.ppc.dcbf
ppc_dcbi, // llvm.ppc.dcbi
ppc_dcbst, // llvm.ppc.dcbst
ppc_dcbt, // llvm.ppc.dcbt
ppc_dcbtst, // llvm.ppc.dcbtst
ppc_dcbz, // llvm.ppc.dcbz
ppc_dcbzl, // llvm.ppc.dcbzl
ppc_divde, // llvm.ppc.divde
ppc_divdeu, // llvm.ppc.divdeu
ppc_divf128_round_to_odd, // llvm.ppc.divf128.round.to.odd
ppc_divwe, // llvm.ppc.divwe
ppc_divweu, // llvm.ppc.divweu
ppc_fmaf128_round_to_odd, // llvm.ppc.fmaf128.round.to.odd
ppc_get_texasr, // llvm.ppc.get.texasr
ppc_get_texasru, // llvm.ppc.get.texasru
ppc_get_tfhar, // llvm.ppc.get.tfhar
ppc_get_tfiar, // llvm.ppc.get.tfiar
ppc_is_decremented_ctr_nonzero, // llvm.ppc.is.decremented.ctr.nonzero
ppc_lwsync, // llvm.ppc.lwsync
ppc_mtctr, // llvm.ppc.mtctr
ppc_mulf128_round_to_odd, // llvm.ppc.mulf128.round.to.odd
ppc_qpx_qvfabs, // llvm.ppc.qpx.qvfabs
ppc_qpx_qvfadd, // llvm.ppc.qpx.qvfadd
ppc_qpx_qvfadds, // llvm.ppc.qpx.qvfadds
ppc_qpx_qvfcfid, // llvm.ppc.qpx.qvfcfid
ppc_qpx_qvfcfids, // llvm.ppc.qpx.qvfcfids
ppc_qpx_qvfcfidu, // llvm.ppc.qpx.qvfcfidu
ppc_qpx_qvfcfidus, // llvm.ppc.qpx.qvfcfidus
ppc_qpx_qvfcmpeq, // llvm.ppc.qpx.qvfcmpeq
ppc_qpx_qvfcmpgt, // llvm.ppc.qpx.qvfcmpgt
ppc_qpx_qvfcmplt, // llvm.ppc.qpx.qvfcmplt
ppc_qpx_qvfcpsgn, // llvm.ppc.qpx.qvfcpsgn
ppc_qpx_qvfctid, // llvm.ppc.qpx.qvfctid
ppc_qpx_qvfctidu, // llvm.ppc.qpx.qvfctidu
ppc_qpx_qvfctiduz, // llvm.ppc.qpx.qvfctiduz
ppc_qpx_qvfctidz, // llvm.ppc.qpx.qvfctidz
ppc_qpx_qvfctiw, // llvm.ppc.qpx.qvfctiw
ppc_qpx_qvfctiwu, // llvm.ppc.qpx.qvfctiwu
ppc_qpx_qvfctiwuz, // llvm.ppc.qpx.qvfctiwuz
ppc_qpx_qvfctiwz, // llvm.ppc.qpx.qvfctiwz
ppc_qpx_qvflogical, // llvm.ppc.qpx.qvflogical
ppc_qpx_qvfmadd, // llvm.ppc.qpx.qvfmadd
ppc_qpx_qvfmadds, // llvm.ppc.qpx.qvfmadds
ppc_qpx_qvfmsub, // llvm.ppc.qpx.qvfmsub
ppc_qpx_qvfmsubs, // llvm.ppc.qpx.qvfmsubs
ppc_qpx_qvfmul, // llvm.ppc.qpx.qvfmul
ppc_qpx_qvfmuls, // llvm.ppc.qpx.qvfmuls
ppc_qpx_qvfnabs, // llvm.ppc.qpx.qvfnabs
ppc_qpx_qvfneg, // llvm.ppc.qpx.qvfneg
ppc_qpx_qvfnmadd, // llvm.ppc.qpx.qvfnmadd
ppc_qpx_qvfnmadds, // llvm.ppc.qpx.qvfnmadds
ppc_qpx_qvfnmsub, // llvm.ppc.qpx.qvfnmsub
ppc_qpx_qvfnmsubs, // llvm.ppc.qpx.qvfnmsubs
ppc_qpx_qvfperm, // llvm.ppc.qpx.qvfperm
ppc_qpx_qvfre, // llvm.ppc.qpx.qvfre
ppc_qpx_qvfres, // llvm.ppc.qpx.qvfres
ppc_qpx_qvfrim, // llvm.ppc.qpx.qvfrim
ppc_qpx_qvfrin, // llvm.ppc.qpx.qvfrin
ppc_qpx_qvfrip, // llvm.ppc.qpx.qvfrip
ppc_qpx_qvfriz, // llvm.ppc.qpx.qvfriz
ppc_qpx_qvfrsp, // llvm.ppc.qpx.qvfrsp
ppc_qpx_qvfrsqrte, // llvm.ppc.qpx.qvfrsqrte
ppc_qpx_qvfrsqrtes, // llvm.ppc.qpx.qvfrsqrtes
ppc_qpx_qvfsel, // llvm.ppc.qpx.qvfsel
ppc_qpx_qvfsub, // llvm.ppc.qpx.qvfsub
ppc_qpx_qvfsubs, // llvm.ppc.qpx.qvfsubs
ppc_qpx_qvftstnan, // llvm.ppc.qpx.qvftstnan
ppc_qpx_qvfxmadd, // llvm.ppc.qpx.qvfxmadd
ppc_qpx_qvfxmadds, // llvm.ppc.qpx.qvfxmadds
ppc_qpx_qvfxmul, // llvm.ppc.qpx.qvfxmul
ppc_qpx_qvfxmuls, // llvm.ppc.qpx.qvfxmuls
ppc_qpx_qvfxxcpnmadd, // llvm.ppc.qpx.qvfxxcpnmadd
ppc_qpx_qvfxxcpnmadds, // llvm.ppc.qpx.qvfxxcpnmadds
ppc_qpx_qvfxxmadd, // llvm.ppc.qpx.qvfxxmadd
ppc_qpx_qvfxxmadds, // llvm.ppc.qpx.qvfxxmadds
ppc_qpx_qvfxxnpmadd, // llvm.ppc.qpx.qvfxxnpmadd
ppc_qpx_qvfxxnpmadds, // llvm.ppc.qpx.qvfxxnpmadds
ppc_qpx_qvgpci, // llvm.ppc.qpx.qvgpci
ppc_qpx_qvlfcd, // llvm.ppc.qpx.qvlfcd
ppc_qpx_qvlfcda, // llvm.ppc.qpx.qvlfcda
ppc_qpx_qvlfcs, // llvm.ppc.qpx.qvlfcs
ppc_qpx_qvlfcsa, // llvm.ppc.qpx.qvlfcsa
ppc_qpx_qvlfd, // llvm.ppc.qpx.qvlfd
ppc_qpx_qvlfda, // llvm.ppc.qpx.qvlfda
ppc_qpx_qvlfiwa, // llvm.ppc.qpx.qvlfiwa
ppc_qpx_qvlfiwaa, // llvm.ppc.qpx.qvlfiwaa
ppc_qpx_qvlfiwz, // llvm.ppc.qpx.qvlfiwz
ppc_qpx_qvlfiwza, // llvm.ppc.qpx.qvlfiwza
ppc_qpx_qvlfs, // llvm.ppc.qpx.qvlfs
ppc_qpx_qvlfsa, // llvm.ppc.qpx.qvlfsa
ppc_qpx_qvlpcld, // llvm.ppc.qpx.qvlpcld
ppc_qpx_qvlpcls, // llvm.ppc.qpx.qvlpcls
ppc_qpx_qvlpcrd, // llvm.ppc.qpx.qvlpcrd
ppc_qpx_qvlpcrs, // llvm.ppc.qpx.qvlpcrs
ppc_qpx_qvstfcd, // llvm.ppc.qpx.qvstfcd
ppc_qpx_qvstfcda, // llvm.ppc.qpx.qvstfcda
ppc_qpx_qvstfcs, // llvm.ppc.qpx.qvstfcs
ppc_qpx_qvstfcsa, // llvm.ppc.qpx.qvstfcsa
ppc_qpx_qvstfd, // llvm.ppc.qpx.qvstfd
ppc_qpx_qvstfda, // llvm.ppc.qpx.qvstfda
ppc_qpx_qvstfiw, // llvm.ppc.qpx.qvstfiw
ppc_qpx_qvstfiwa, // llvm.ppc.qpx.qvstfiwa
ppc_qpx_qvstfs, // llvm.ppc.qpx.qvstfs
ppc_qpx_qvstfsa, // llvm.ppc.qpx.qvstfsa
ppc_scalar_extract_expq, // llvm.ppc.scalar.extract.expq
ppc_scalar_insert_exp_qp, // llvm.ppc.scalar.insert.exp.qp
ppc_set_texasr, // llvm.ppc.set.texasr
ppc_set_texasru, // llvm.ppc.set.texasru
ppc_set_tfhar, // llvm.ppc.set.tfhar
ppc_set_tfiar, // llvm.ppc.set.tfiar
ppc_sqrtf128_round_to_odd, // llvm.ppc.sqrtf128.round.to.odd
ppc_subf128_round_to_odd, // llvm.ppc.subf128.round.to.odd
ppc_sync, // llvm.ppc.sync
ppc_tabort, // llvm.ppc.tabort
ppc_tabortdc, // llvm.ppc.tabortdc
ppc_tabortdci, // llvm.ppc.tabortdci
ppc_tabortwc, // llvm.ppc.tabortwc
ppc_tabortwci, // llvm.ppc.tabortwci
ppc_tbegin, // llvm.ppc.tbegin
ppc_tcheck, // llvm.ppc.tcheck
ppc_tend, // llvm.ppc.tend
ppc_tendall, // llvm.ppc.tendall
ppc_trechkpt, // llvm.ppc.trechkpt
ppc_treclaim, // llvm.ppc.treclaim
ppc_tresume, // llvm.ppc.tresume
ppc_truncf128_round_to_odd, // llvm.ppc.truncf128.round.to.odd
ppc_tsr, // llvm.ppc.tsr
ppc_tsuspend, // llvm.ppc.tsuspend
ppc_ttest, // llvm.ppc.ttest
ppc_vsx_lxvd2x, // llvm.ppc.vsx.lxvd2x
ppc_vsx_lxvd2x_be, // llvm.ppc.vsx.lxvd2x.be
ppc_vsx_lxvl, // llvm.ppc.vsx.lxvl
ppc_vsx_lxvll, // llvm.ppc.vsx.lxvll
ppc_vsx_lxvw4x, // llvm.ppc.vsx.lxvw4x
ppc_vsx_lxvw4x_be, // llvm.ppc.vsx.lxvw4x.be
ppc_vsx_stxvd2x, // llvm.ppc.vsx.stxvd2x
ppc_vsx_stxvd2x_be, // llvm.ppc.vsx.stxvd2x.be
ppc_vsx_stxvl, // llvm.ppc.vsx.stxvl
ppc_vsx_stxvll, // llvm.ppc.vsx.stxvll
ppc_vsx_stxvw4x, // llvm.ppc.vsx.stxvw4x
ppc_vsx_stxvw4x_be, // llvm.ppc.vsx.stxvw4x.be
ppc_vsx_xsmaxdp, // llvm.ppc.vsx.xsmaxdp
ppc_vsx_xsmindp, // llvm.ppc.vsx.xsmindp
ppc_vsx_xvcmpeqdp, // llvm.ppc.vsx.xvcmpeqdp
ppc_vsx_xvcmpeqdp_p, // llvm.ppc.vsx.xvcmpeqdp.p
ppc_vsx_xvcmpeqsp, // llvm.ppc.vsx.xvcmpeqsp
ppc_vsx_xvcmpeqsp_p, // llvm.ppc.vsx.xvcmpeqsp.p
ppc_vsx_xvcmpgedp, // llvm.ppc.vsx.xvcmpgedp
ppc_vsx_xvcmpgedp_p, // llvm.ppc.vsx.xvcmpgedp.p
ppc_vsx_xvcmpgesp, // llvm.ppc.vsx.xvcmpgesp
ppc_vsx_xvcmpgesp_p, // llvm.ppc.vsx.xvcmpgesp.p
ppc_vsx_xvcmpgtdp, // llvm.ppc.vsx.xvcmpgtdp
ppc_vsx_xvcmpgtdp_p, // llvm.ppc.vsx.xvcmpgtdp.p
ppc_vsx_xvcmpgtsp, // llvm.ppc.vsx.xvcmpgtsp
ppc_vsx_xvcmpgtsp_p, // llvm.ppc.vsx.xvcmpgtsp.p
ppc_vsx_xvcvdpsp, // llvm.ppc.vsx.xvcvdpsp
ppc_vsx_xvcvdpsxws, // llvm.ppc.vsx.xvcvdpsxws
ppc_vsx_xvcvdpuxws, // llvm.ppc.vsx.xvcvdpuxws
ppc_vsx_xvcvhpsp, // llvm.ppc.vsx.xvcvhpsp
ppc_vsx_xvcvspdp, // llvm.ppc.vsx.xvcvspdp
ppc_vsx_xvcvsphp, // llvm.ppc.vsx.xvcvsphp
ppc_vsx_xvcvsxdsp, // llvm.ppc.vsx.xvcvsxdsp
ppc_vsx_xvcvsxwdp, // llvm.ppc.vsx.xvcvsxwdp
ppc_vsx_xvcvuxdsp, // llvm.ppc.vsx.xvcvuxdsp
ppc_vsx_xvcvuxwdp, // llvm.ppc.vsx.xvcvuxwdp
ppc_vsx_xvdivdp, // llvm.ppc.vsx.xvdivdp
ppc_vsx_xvdivsp, // llvm.ppc.vsx.xvdivsp
ppc_vsx_xviexpdp, // llvm.ppc.vsx.xviexpdp
ppc_vsx_xviexpsp, // llvm.ppc.vsx.xviexpsp
ppc_vsx_xvmaxdp, // llvm.ppc.vsx.xvmaxdp
ppc_vsx_xvmaxsp, // llvm.ppc.vsx.xvmaxsp
ppc_vsx_xvmindp, // llvm.ppc.vsx.xvmindp
ppc_vsx_xvminsp, // llvm.ppc.vsx.xvminsp
ppc_vsx_xvrdpip, // llvm.ppc.vsx.xvrdpip
ppc_vsx_xvredp, // llvm.ppc.vsx.xvredp
ppc_vsx_xvresp, // llvm.ppc.vsx.xvresp
ppc_vsx_xvrspip, // llvm.ppc.vsx.xvrspip
ppc_vsx_xvrsqrtedp, // llvm.ppc.vsx.xvrsqrtedp
ppc_vsx_xvrsqrtesp, // llvm.ppc.vsx.xvrsqrtesp
ppc_vsx_xvtstdcdp, // llvm.ppc.vsx.xvtstdcdp
ppc_vsx_xvtstdcsp, // llvm.ppc.vsx.xvtstdcsp
ppc_vsx_xvxexpdp, // llvm.ppc.vsx.xvxexpdp
ppc_vsx_xvxexpsp, // llvm.ppc.vsx.xvxexpsp
ppc_vsx_xvxsigdp, // llvm.ppc.vsx.xvxsigdp
ppc_vsx_xvxsigsp, // llvm.ppc.vsx.xvxsigsp
ppc_vsx_xxextractuw, // llvm.ppc.vsx.xxextractuw
ppc_vsx_xxinsertw, // llvm.ppc.vsx.xxinsertw
ppc_vsx_xxleqv, // llvm.ppc.vsx.xxleqv
r600_cube, // llvm.r600.cube
r600_ddx, // llvm.r600.ddx
r600_ddy, // llvm.r600.ddy
r600_dot4, // llvm.r600.dot4
r600_group_barrier, // llvm.r600.group.barrier
r600_implicitarg_ptr, // llvm.r600.implicitarg.ptr
r600_kill, // llvm.r600.kill
r600_rat_store_typed, // llvm.r600.rat.store.typed
r600_read_global_size_x, // llvm.r600.read.global.size.x
r600_read_global_size_y, // llvm.r600.read.global.size.y
r600_read_global_size_z, // llvm.r600.read.global.size.z
r600_read_local_size_x, // llvm.r600.read.local.size.x
r600_read_local_size_y, // llvm.r600.read.local.size.y
r600_read_local_size_z, // llvm.r600.read.local.size.z
r600_read_ngroups_x, // llvm.r600.read.ngroups.x
r600_read_ngroups_y, // llvm.r600.read.ngroups.y
r600_read_ngroups_z, // llvm.r600.read.ngroups.z
r600_read_tgid_x, // llvm.r600.read.tgid.x
r600_read_tgid_y, // llvm.r600.read.tgid.y
r600_read_tgid_z, // llvm.r600.read.tgid.z
r600_read_tidig_x, // llvm.r600.read.tidig.x
r600_read_tidig_y, // llvm.r600.read.tidig.y
r600_read_tidig_z, // llvm.r600.read.tidig.z
r600_recipsqrt_clamped, // llvm.r600.recipsqrt.clamped
r600_recipsqrt_ieee, // llvm.r600.recipsqrt.ieee
r600_store_stream_output, // llvm.r600.store.stream.output
r600_store_swizzle, // llvm.r600.store.swizzle
r600_tex, // llvm.r600.tex
r600_texc, // llvm.r600.texc
r600_txb, // llvm.r600.txb
r600_txbc, // llvm.r600.txbc
r600_txf, // llvm.r600.txf
r600_txl, // llvm.r600.txl
r600_txlc, // llvm.r600.txlc
r600_txq, // llvm.r600.txq
riscv_masked_atomicrmw_add_i32, // llvm.riscv.masked.atomicrmw.add.i32
riscv_masked_atomicrmw_add_i64, // llvm.riscv.masked.atomicrmw.add.i64
riscv_masked_atomicrmw_max_i32, // llvm.riscv.masked.atomicrmw.max.i32
riscv_masked_atomicrmw_max_i64, // llvm.riscv.masked.atomicrmw.max.i64
riscv_masked_atomicrmw_min_i32, // llvm.riscv.masked.atomicrmw.min.i32
riscv_masked_atomicrmw_min_i64, // llvm.riscv.masked.atomicrmw.min.i64
riscv_masked_atomicrmw_nand_i32, // llvm.riscv.masked.atomicrmw.nand.i32
riscv_masked_atomicrmw_nand_i64, // llvm.riscv.masked.atomicrmw.nand.i64
riscv_masked_atomicrmw_sub_i32, // llvm.riscv.masked.atomicrmw.sub.i32
riscv_masked_atomicrmw_sub_i64, // llvm.riscv.masked.atomicrmw.sub.i64
riscv_masked_atomicrmw_umax_i32, // llvm.riscv.masked.atomicrmw.umax.i32
riscv_masked_atomicrmw_umax_i64, // llvm.riscv.masked.atomicrmw.umax.i64
riscv_masked_atomicrmw_umin_i32, // llvm.riscv.masked.atomicrmw.umin.i32
riscv_masked_atomicrmw_umin_i64, // llvm.riscv.masked.atomicrmw.umin.i64
riscv_masked_atomicrmw_xchg_i32, // llvm.riscv.masked.atomicrmw.xchg.i32
riscv_masked_atomicrmw_xchg_i64, // llvm.riscv.masked.atomicrmw.xchg.i64
riscv_masked_cmpxchg_i32, // llvm.riscv.masked.cmpxchg.i32
riscv_masked_cmpxchg_i64, // llvm.riscv.masked.cmpxchg.i64
s390_efpc, // llvm.s390.efpc
s390_etnd, // llvm.s390.etnd
s390_lcbb, // llvm.s390.lcbb
s390_ntstg, // llvm.s390.ntstg
s390_ppa_txassist, // llvm.s390.ppa.txassist
s390_sfpc, // llvm.s390.sfpc
s390_tabort, // llvm.s390.tabort
s390_tbegin, // llvm.s390.tbegin
s390_tbegin_nofloat, // llvm.s390.tbegin.nofloat
s390_tbeginc, // llvm.s390.tbeginc
s390_tdc, // llvm.s390.tdc
s390_tend, // llvm.s390.tend
s390_vaccb, // llvm.s390.vaccb
s390_vacccq, // llvm.s390.vacccq
s390_vaccf, // llvm.s390.vaccf
s390_vaccg, // llvm.s390.vaccg
s390_vacch, // llvm.s390.vacch
s390_vaccq, // llvm.s390.vaccq
s390_vacq, // llvm.s390.vacq
s390_vaq, // llvm.s390.vaq
s390_vavgb, // llvm.s390.vavgb
s390_vavgf, // llvm.s390.vavgf
s390_vavgg, // llvm.s390.vavgg
s390_vavgh, // llvm.s390.vavgh
s390_vavglb, // llvm.s390.vavglb
s390_vavglf, // llvm.s390.vavglf
s390_vavglg, // llvm.s390.vavglg
s390_vavglh, // llvm.s390.vavglh
s390_vbperm, // llvm.s390.vbperm
s390_vceqbs, // llvm.s390.vceqbs
s390_vceqfs, // llvm.s390.vceqfs
s390_vceqgs, // llvm.s390.vceqgs
s390_vceqhs, // llvm.s390.vceqhs
s390_vchbs, // llvm.s390.vchbs
s390_vchfs, // llvm.s390.vchfs
s390_vchgs, // llvm.s390.vchgs
s390_vchhs, // llvm.s390.vchhs
s390_vchlbs, // llvm.s390.vchlbs
s390_vchlfs, // llvm.s390.vchlfs
s390_vchlgs, // llvm.s390.vchlgs
s390_vchlhs, // llvm.s390.vchlhs
s390_vcksm, // llvm.s390.vcksm
s390_verimb, // llvm.s390.verimb
s390_verimf, // llvm.s390.verimf
s390_verimg, // llvm.s390.verimg
s390_verimh, // llvm.s390.verimh
s390_verllb, // llvm.s390.verllb
s390_verllf, // llvm.s390.verllf
s390_verllg, // llvm.s390.verllg
s390_verllh, // llvm.s390.verllh
s390_verllvb, // llvm.s390.verllvb
s390_verllvf, // llvm.s390.verllvf
s390_verllvg, // llvm.s390.verllvg
s390_verllvh, // llvm.s390.verllvh
s390_vfaeb, // llvm.s390.vfaeb
s390_vfaebs, // llvm.s390.vfaebs
s390_vfaef, // llvm.s390.vfaef
s390_vfaefs, // llvm.s390.vfaefs
s390_vfaeh, // llvm.s390.vfaeh
s390_vfaehs, // llvm.s390.vfaehs
s390_vfaezb, // llvm.s390.vfaezb
s390_vfaezbs, // llvm.s390.vfaezbs
s390_vfaezf, // llvm.s390.vfaezf
s390_vfaezfs, // llvm.s390.vfaezfs
s390_vfaezh, // llvm.s390.vfaezh
s390_vfaezhs, // llvm.s390.vfaezhs
s390_vfcedbs, // llvm.s390.vfcedbs
s390_vfcesbs, // llvm.s390.vfcesbs
s390_vfchdbs, // llvm.s390.vfchdbs
s390_vfchedbs, // llvm.s390.vfchedbs
s390_vfchesbs, // llvm.s390.vfchesbs
s390_vfchsbs, // llvm.s390.vfchsbs
s390_vfeeb, // llvm.s390.vfeeb
s390_vfeebs, // llvm.s390.vfeebs
s390_vfeef, // llvm.s390.vfeef
s390_vfeefs, // llvm.s390.vfeefs
s390_vfeeh, // llvm.s390.vfeeh
s390_vfeehs, // llvm.s390.vfeehs
s390_vfeezb, // llvm.s390.vfeezb
s390_vfeezbs, // llvm.s390.vfeezbs
s390_vfeezf, // llvm.s390.vfeezf
s390_vfeezfs, // llvm.s390.vfeezfs
s390_vfeezh, // llvm.s390.vfeezh
s390_vfeezhs, // llvm.s390.vfeezhs
s390_vfeneb, // llvm.s390.vfeneb
s390_vfenebs, // llvm.s390.vfenebs
s390_vfenef, // llvm.s390.vfenef
s390_vfenefs, // llvm.s390.vfenefs
s390_vfeneh, // llvm.s390.vfeneh
s390_vfenehs, // llvm.s390.vfenehs
s390_vfenezb, // llvm.s390.vfenezb
s390_vfenezbs, // llvm.s390.vfenezbs
s390_vfenezf, // llvm.s390.vfenezf
s390_vfenezfs, // llvm.s390.vfenezfs
s390_vfenezh, // llvm.s390.vfenezh
s390_vfenezhs, // llvm.s390.vfenezhs
s390_vfidb, // llvm.s390.vfidb
s390_vfisb, // llvm.s390.vfisb
s390_vfmaxdb, // llvm.s390.vfmaxdb
s390_vfmaxsb, // llvm.s390.vfmaxsb
s390_vfmindb, // llvm.s390.vfmindb
s390_vfminsb, // llvm.s390.vfminsb
s390_vftcidb, // llvm.s390.vftcidb
s390_vftcisb, // llvm.s390.vftcisb
s390_vgfmab, // llvm.s390.vgfmab
s390_vgfmaf, // llvm.s390.vgfmaf
s390_vgfmag, // llvm.s390.vgfmag
s390_vgfmah, // llvm.s390.vgfmah
s390_vgfmb, // llvm.s390.vgfmb
s390_vgfmf, // llvm.s390.vgfmf
s390_vgfmg, // llvm.s390.vgfmg
s390_vgfmh, // llvm.s390.vgfmh
s390_vistrb, // llvm.s390.vistrb
s390_vistrbs, // llvm.s390.vistrbs
s390_vistrf, // llvm.s390.vistrf
s390_vistrfs, // llvm.s390.vistrfs
s390_vistrh, // llvm.s390.vistrh
s390_vistrhs, // llvm.s390.vistrhs
s390_vlbb, // llvm.s390.vlbb
s390_vll, // llvm.s390.vll
s390_vlrl, // llvm.s390.vlrl
s390_vmaeb, // llvm.s390.vmaeb
s390_vmaef, // llvm.s390.vmaef
s390_vmaeh, // llvm.s390.vmaeh
s390_vmahb, // llvm.s390.vmahb
s390_vmahf, // llvm.s390.vmahf
s390_vmahh, // llvm.s390.vmahh
s390_vmaleb, // llvm.s390.vmaleb
s390_vmalef, // llvm.s390.vmalef
s390_vmaleh, // llvm.s390.vmaleh
s390_vmalhb, // llvm.s390.vmalhb
s390_vmalhf, // llvm.s390.vmalhf
s390_vmalhh, // llvm.s390.vmalhh
s390_vmalob, // llvm.s390.vmalob
s390_vmalof, // llvm.s390.vmalof
s390_vmaloh, // llvm.s390.vmaloh
s390_vmaob, // llvm.s390.vmaob
s390_vmaof, // llvm.s390.vmaof
s390_vmaoh, // llvm.s390.vmaoh
s390_vmeb, // llvm.s390.vmeb
s390_vmef, // llvm.s390.vmef
s390_vmeh, // llvm.s390.vmeh
s390_vmhb, // llvm.s390.vmhb
s390_vmhf, // llvm.s390.vmhf
s390_vmhh, // llvm.s390.vmhh
s390_vmleb, // llvm.s390.vmleb
s390_vmlef, // llvm.s390.vmlef
s390_vmleh, // llvm.s390.vmleh
s390_vmlhb, // llvm.s390.vmlhb
s390_vmlhf, // llvm.s390.vmlhf
s390_vmlhh, // llvm.s390.vmlhh
s390_vmlob, // llvm.s390.vmlob
s390_vmlof, // llvm.s390.vmlof
s390_vmloh, // llvm.s390.vmloh
s390_vmob, // llvm.s390.vmob
s390_vmof, // llvm.s390.vmof
s390_vmoh, // llvm.s390.vmoh
s390_vmslg, // llvm.s390.vmslg
s390_vpdi, // llvm.s390.vpdi
s390_vperm, // llvm.s390.vperm
s390_vpklsf, // llvm.s390.vpklsf
s390_vpklsfs, // llvm.s390.vpklsfs
s390_vpklsg, // llvm.s390.vpklsg
s390_vpklsgs, // llvm.s390.vpklsgs
s390_vpklsh, // llvm.s390.vpklsh
s390_vpklshs, // llvm.s390.vpklshs
s390_vpksf, // llvm.s390.vpksf
s390_vpksfs, // llvm.s390.vpksfs
s390_vpksg, // llvm.s390.vpksg
s390_vpksgs, // llvm.s390.vpksgs
s390_vpksh, // llvm.s390.vpksh
s390_vpkshs, // llvm.s390.vpkshs
s390_vsbcbiq, // llvm.s390.vsbcbiq
s390_vsbiq, // llvm.s390.vsbiq
s390_vscbib, // llvm.s390.vscbib
s390_vscbif, // llvm.s390.vscbif
s390_vscbig, // llvm.s390.vscbig
s390_vscbih, // llvm.s390.vscbih
s390_vscbiq, // llvm.s390.vscbiq
s390_vsl, // llvm.s390.vsl
s390_vslb, // llvm.s390.vslb
s390_vsldb, // llvm.s390.vsldb
s390_vsq, // llvm.s390.vsq
s390_vsra, // llvm.s390.vsra
s390_vsrab, // llvm.s390.vsrab
s390_vsrl, // llvm.s390.vsrl
s390_vsrlb, // llvm.s390.vsrlb
s390_vstl, // llvm.s390.vstl
s390_vstrcb, // llvm.s390.vstrcb
s390_vstrcbs, // llvm.s390.vstrcbs
s390_vstrcf, // llvm.s390.vstrcf
s390_vstrcfs, // llvm.s390.vstrcfs
s390_vstrch, // llvm.s390.vstrch
s390_vstrchs, // llvm.s390.vstrchs
s390_vstrczb, // llvm.s390.vstrczb
s390_vstrczbs, // llvm.s390.vstrczbs
s390_vstrczf, // llvm.s390.vstrczf
s390_vstrczfs, // llvm.s390.vstrczfs
s390_vstrczh, // llvm.s390.vstrczh
s390_vstrczhs, // llvm.s390.vstrczhs
s390_vstrl, // llvm.s390.vstrl
s390_vsumb, // llvm.s390.vsumb
s390_vsumgf, // llvm.s390.vsumgf
s390_vsumgh, // llvm.s390.vsumgh
s390_vsumh, // llvm.s390.vsumh
s390_vsumqf, // llvm.s390.vsumqf
s390_vsumqg, // llvm.s390.vsumqg
s390_vtm, // llvm.s390.vtm
s390_vuphb, // llvm.s390.vuphb
s390_vuphf, // llvm.s390.vuphf
s390_vuphh, // llvm.s390.vuphh
s390_vuplb, // llvm.s390.vuplb
s390_vuplf, // llvm.s390.vuplf
s390_vuplhb, // llvm.s390.vuplhb
s390_vuplhf, // llvm.s390.vuplhf
s390_vuplhh, // llvm.s390.vuplhh
s390_vuplhw, // llvm.s390.vuplhw
s390_vupllb, // llvm.s390.vupllb
s390_vupllf, // llvm.s390.vupllf
s390_vupllh, // llvm.s390.vupllh
wasm_alltrue, // llvm.wasm.alltrue
wasm_anytrue, // llvm.wasm.anytrue
wasm_atomic_notify, // llvm.wasm.atomic.notify
wasm_atomic_wait_i32, // llvm.wasm.atomic.wait.i32
wasm_atomic_wait_i64, // llvm.wasm.atomic.wait.i64
wasm_bitselect, // llvm.wasm.bitselect
wasm_data_drop, // llvm.wasm.data.drop
wasm_extract_exception, // llvm.wasm.extract.exception
wasm_get_ehselector, // llvm.wasm.get.ehselector
wasm_get_exception, // llvm.wasm.get.exception
wasm_landingpad_index, // llvm.wasm.landingpad.index
wasm_lsda, // llvm.wasm.lsda
wasm_memory_grow, // llvm.wasm.memory.grow
wasm_memory_init, // llvm.wasm.memory.init
wasm_memory_size, // llvm.wasm.memory.size
wasm_rethrow, // llvm.wasm.rethrow
wasm_sub_saturate_signed, // llvm.wasm.sub.saturate.signed
wasm_sub_saturate_unsigned, // llvm.wasm.sub.saturate.unsigned
wasm_throw, // llvm.wasm.throw
wasm_trunc_saturate_signed, // llvm.wasm.trunc.saturate.signed
wasm_trunc_saturate_unsigned, // llvm.wasm.trunc.saturate.unsigned
x86_3dnow_pavgusb, // llvm.x86.3dnow.pavgusb
x86_3dnow_pf2id, // llvm.x86.3dnow.pf2id
x86_3dnow_pfacc, // llvm.x86.3dnow.pfacc
x86_3dnow_pfadd, // llvm.x86.3dnow.pfadd
x86_3dnow_pfcmpeq, // llvm.x86.3dnow.pfcmpeq
x86_3dnow_pfcmpge, // llvm.x86.3dnow.pfcmpge
x86_3dnow_pfcmpgt, // llvm.x86.3dnow.pfcmpgt
x86_3dnow_pfmax, // llvm.x86.3dnow.pfmax
x86_3dnow_pfmin, // llvm.x86.3dnow.pfmin
x86_3dnow_pfmul, // llvm.x86.3dnow.pfmul
x86_3dnow_pfrcp, // llvm.x86.3dnow.pfrcp
x86_3dnow_pfrcpit1, // llvm.x86.3dnow.pfrcpit1
x86_3dnow_pfrcpit2, // llvm.x86.3dnow.pfrcpit2
x86_3dnow_pfrsqit1, // llvm.x86.3dnow.pfrsqit1
x86_3dnow_pfrsqrt, // llvm.x86.3dnow.pfrsqrt
x86_3dnow_pfsub, // llvm.x86.3dnow.pfsub
x86_3dnow_pfsubr, // llvm.x86.3dnow.pfsubr
x86_3dnow_pi2fd, // llvm.x86.3dnow.pi2fd
x86_3dnow_pmulhrw, // llvm.x86.3dnow.pmulhrw
x86_3dnowa_pf2iw, // llvm.x86.3dnowa.pf2iw
x86_3dnowa_pfnacc, // llvm.x86.3dnowa.pfnacc
x86_3dnowa_pfpnacc, // llvm.x86.3dnowa.pfpnacc
x86_3dnowa_pi2fw, // llvm.x86.3dnowa.pi2fw
x86_3dnowa_pswapd, // llvm.x86.3dnowa.pswapd
x86_addcarry_32, // llvm.x86.addcarry.32
x86_addcarry_64, // llvm.x86.addcarry.64
x86_aesni_aesdec, // llvm.x86.aesni.aesdec
x86_aesni_aesdec_256, // llvm.x86.aesni.aesdec.256
x86_aesni_aesdec_512, // llvm.x86.aesni.aesdec.512
x86_aesni_aesdeclast, // llvm.x86.aesni.aesdeclast
x86_aesni_aesdeclast_256, // llvm.x86.aesni.aesdeclast.256
x86_aesni_aesdeclast_512, // llvm.x86.aesni.aesdeclast.512
x86_aesni_aesenc, // llvm.x86.aesni.aesenc
x86_aesni_aesenc_256, // llvm.x86.aesni.aesenc.256
x86_aesni_aesenc_512, // llvm.x86.aesni.aesenc.512
x86_aesni_aesenclast, // llvm.x86.aesni.aesenclast
x86_aesni_aesenclast_256, // llvm.x86.aesni.aesenclast.256
x86_aesni_aesenclast_512, // llvm.x86.aesni.aesenclast.512
x86_aesni_aesimc, // llvm.x86.aesni.aesimc
x86_aesni_aeskeygenassist, // llvm.x86.aesni.aeskeygenassist
x86_avx_addsub_pd_256, // llvm.x86.avx.addsub.pd.256
x86_avx_addsub_ps_256, // llvm.x86.avx.addsub.ps.256
x86_avx_blendv_pd_256, // llvm.x86.avx.blendv.pd.256
x86_avx_blendv_ps_256, // llvm.x86.avx.blendv.ps.256
x86_avx_cmp_pd_256, // llvm.x86.avx.cmp.pd.256
x86_avx_cmp_ps_256, // llvm.x86.avx.cmp.ps.256
x86_avx_cvt_pd2_ps_256, // llvm.x86.avx.cvt.pd2.ps.256
x86_avx_cvt_pd2dq_256, // llvm.x86.avx.cvt.pd2dq.256
x86_avx_cvt_ps2dq_256, // llvm.x86.avx.cvt.ps2dq.256
x86_avx_cvtt_pd2dq_256, // llvm.x86.avx.cvtt.pd2dq.256
x86_avx_cvtt_ps2dq_256, // llvm.x86.avx.cvtt.ps2dq.256
x86_avx_dp_ps_256, // llvm.x86.avx.dp.ps.256
x86_avx_hadd_pd_256, // llvm.x86.avx.hadd.pd.256
x86_avx_hadd_ps_256, // llvm.x86.avx.hadd.ps.256
x86_avx_hsub_pd_256, // llvm.x86.avx.hsub.pd.256
x86_avx_hsub_ps_256, // llvm.x86.avx.hsub.ps.256
x86_avx_ldu_dq_256, // llvm.x86.avx.ldu.dq.256
x86_avx_maskload_pd, // llvm.x86.avx.maskload.pd
x86_avx_maskload_pd_256, // llvm.x86.avx.maskload.pd.256
x86_avx_maskload_ps, // llvm.x86.avx.maskload.ps
x86_avx_maskload_ps_256, // llvm.x86.avx.maskload.ps.256
x86_avx_maskstore_pd, // llvm.x86.avx.maskstore.pd
x86_avx_maskstore_pd_256, // llvm.x86.avx.maskstore.pd.256
x86_avx_maskstore_ps, // llvm.x86.avx.maskstore.ps
x86_avx_maskstore_ps_256, // llvm.x86.avx.maskstore.ps.256
x86_avx_max_pd_256, // llvm.x86.avx.max.pd.256
x86_avx_max_ps_256, // llvm.x86.avx.max.ps.256
x86_avx_min_pd_256, // llvm.x86.avx.min.pd.256
x86_avx_min_ps_256, // llvm.x86.avx.min.ps.256
x86_avx_movmsk_pd_256, // llvm.x86.avx.movmsk.pd.256
x86_avx_movmsk_ps_256, // llvm.x86.avx.movmsk.ps.256
x86_avx_ptestc_256, // llvm.x86.avx.ptestc.256
x86_avx_ptestnzc_256, // llvm.x86.avx.ptestnzc.256
x86_avx_ptestz_256, // llvm.x86.avx.ptestz.256
x86_avx_rcp_ps_256, // llvm.x86.avx.rcp.ps.256
x86_avx_round_pd_256, // llvm.x86.avx.round.pd.256
x86_avx_round_ps_256, // llvm.x86.avx.round.ps.256
x86_avx_rsqrt_ps_256, // llvm.x86.avx.rsqrt.ps.256
x86_avx_vpermilvar_pd, // llvm.x86.avx.vpermilvar.pd
x86_avx_vpermilvar_pd_256, // llvm.x86.avx.vpermilvar.pd.256
x86_avx_vpermilvar_ps, // llvm.x86.avx.vpermilvar.ps
x86_avx_vpermilvar_ps_256, // llvm.x86.avx.vpermilvar.ps.256
x86_avx_vtestc_pd, // llvm.x86.avx.vtestc.pd
x86_avx_vtestc_pd_256, // llvm.x86.avx.vtestc.pd.256
x86_avx_vtestc_ps, // llvm.x86.avx.vtestc.ps
x86_avx_vtestc_ps_256, // llvm.x86.avx.vtestc.ps.256
x86_avx_vtestnzc_pd, // llvm.x86.avx.vtestnzc.pd
x86_avx_vtestnzc_pd_256, // llvm.x86.avx.vtestnzc.pd.256
x86_avx_vtestnzc_ps, // llvm.x86.avx.vtestnzc.ps
x86_avx_vtestnzc_ps_256, // llvm.x86.avx.vtestnzc.ps.256
x86_avx_vtestz_pd, // llvm.x86.avx.vtestz.pd
x86_avx_vtestz_pd_256, // llvm.x86.avx.vtestz.pd.256
x86_avx_vtestz_ps, // llvm.x86.avx.vtestz.ps
x86_avx_vtestz_ps_256, // llvm.x86.avx.vtestz.ps.256
x86_avx_vzeroall, // llvm.x86.avx.vzeroall
x86_avx_vzeroupper, // llvm.x86.avx.vzeroupper
x86_avx2_gather_d_d, // llvm.x86.avx2.gather.d.d
x86_avx2_gather_d_d_256, // llvm.x86.avx2.gather.d.d.256
x86_avx2_gather_d_pd, // llvm.x86.avx2.gather.d.pd
x86_avx2_gather_d_pd_256, // llvm.x86.avx2.gather.d.pd.256
x86_avx2_gather_d_ps, // llvm.x86.avx2.gather.d.ps
x86_avx2_gather_d_ps_256, // llvm.x86.avx2.gather.d.ps.256
x86_avx2_gather_d_q, // llvm.x86.avx2.gather.d.q
x86_avx2_gather_d_q_256, // llvm.x86.avx2.gather.d.q.256
x86_avx2_gather_q_d, // llvm.x86.avx2.gather.q.d
x86_avx2_gather_q_d_256, // llvm.x86.avx2.gather.q.d.256
x86_avx2_gather_q_pd, // llvm.x86.avx2.gather.q.pd
x86_avx2_gather_q_pd_256, // llvm.x86.avx2.gather.q.pd.256
x86_avx2_gather_q_ps, // llvm.x86.avx2.gather.q.ps
x86_avx2_gather_q_ps_256, // llvm.x86.avx2.gather.q.ps.256
x86_avx2_gather_q_q, // llvm.x86.avx2.gather.q.q
x86_avx2_gather_q_q_256, // llvm.x86.avx2.gather.q.q.256
x86_avx2_maskload_d, // llvm.x86.avx2.maskload.d
x86_avx2_maskload_d_256, // llvm.x86.avx2.maskload.d.256
x86_avx2_maskload_q, // llvm.x86.avx2.maskload.q
x86_avx2_maskload_q_256, // llvm.x86.avx2.maskload.q.256
x86_avx2_maskstore_d, // llvm.x86.avx2.maskstore.d
x86_avx2_maskstore_d_256, // llvm.x86.avx2.maskstore.d.256
x86_avx2_maskstore_q, // llvm.x86.avx2.maskstore.q
x86_avx2_maskstore_q_256, // llvm.x86.avx2.maskstore.q.256
x86_avx2_mpsadbw, // llvm.x86.avx2.mpsadbw
x86_avx2_packssdw, // llvm.x86.avx2.packssdw
x86_avx2_packsswb, // llvm.x86.avx2.packsswb
x86_avx2_packusdw, // llvm.x86.avx2.packusdw
x86_avx2_packuswb, // llvm.x86.avx2.packuswb
x86_avx2_pblendvb, // llvm.x86.avx2.pblendvb
x86_avx2_permd, // llvm.x86.avx2.permd
x86_avx2_permps, // llvm.x86.avx2.permps
x86_avx2_phadd_d, // llvm.x86.avx2.phadd.d
x86_avx2_phadd_sw, // llvm.x86.avx2.phadd.sw
x86_avx2_phadd_w, // llvm.x86.avx2.phadd.w
x86_avx2_phsub_d, // llvm.x86.avx2.phsub.d
x86_avx2_phsub_sw, // llvm.x86.avx2.phsub.sw
x86_avx2_phsub_w, // llvm.x86.avx2.phsub.w
x86_avx2_pmadd_ub_sw, // llvm.x86.avx2.pmadd.ub.sw
x86_avx2_pmadd_wd, // llvm.x86.avx2.pmadd.wd
x86_avx2_pmovmskb, // llvm.x86.avx2.pmovmskb
x86_avx2_pmul_hr_sw, // llvm.x86.avx2.pmul.hr.sw
x86_avx2_pmulh_w, // llvm.x86.avx2.pmulh.w
x86_avx2_pmulhu_w, // llvm.x86.avx2.pmulhu.w
x86_avx2_psad_bw, // llvm.x86.avx2.psad.bw
x86_avx2_pshuf_b, // llvm.x86.avx2.pshuf.b
x86_avx2_psign_b, // llvm.x86.avx2.psign.b
x86_avx2_psign_d, // llvm.x86.avx2.psign.d
x86_avx2_psign_w, // llvm.x86.avx2.psign.w
x86_avx2_psll_d, // llvm.x86.avx2.psll.d
x86_avx2_psll_q, // llvm.x86.avx2.psll.q
x86_avx2_psll_w, // llvm.x86.avx2.psll.w
x86_avx2_pslli_d, // llvm.x86.avx2.pslli.d
x86_avx2_pslli_q, // llvm.x86.avx2.pslli.q
x86_avx2_pslli_w, // llvm.x86.avx2.pslli.w
x86_avx2_psllv_d, // llvm.x86.avx2.psllv.d
x86_avx2_psllv_d_256, // llvm.x86.avx2.psllv.d.256
x86_avx2_psllv_q, // llvm.x86.avx2.psllv.q
x86_avx2_psllv_q_256, // llvm.x86.avx2.psllv.q.256
x86_avx2_psra_d, // llvm.x86.avx2.psra.d
x86_avx2_psra_w, // llvm.x86.avx2.psra.w
x86_avx2_psrai_d, // llvm.x86.avx2.psrai.d
x86_avx2_psrai_w, // llvm.x86.avx2.psrai.w
x86_avx2_psrav_d, // llvm.x86.avx2.psrav.d
x86_avx2_psrav_d_256, // llvm.x86.avx2.psrav.d.256
x86_avx2_psrl_d, // llvm.x86.avx2.psrl.d
x86_avx2_psrl_q, // llvm.x86.avx2.psrl.q
x86_avx2_psrl_w, // llvm.x86.avx2.psrl.w
x86_avx2_psrli_d, // llvm.x86.avx2.psrli.d
x86_avx2_psrli_q, // llvm.x86.avx2.psrli.q
x86_avx2_psrli_w, // llvm.x86.avx2.psrli.w
x86_avx2_psrlv_d, // llvm.x86.avx2.psrlv.d
x86_avx2_psrlv_d_256, // llvm.x86.avx2.psrlv.d.256
x86_avx2_psrlv_q, // llvm.x86.avx2.psrlv.q
x86_avx2_psrlv_q_256, // llvm.x86.avx2.psrlv.q.256
x86_avx512_add_pd_512, // llvm.x86.avx512.add.pd.512
x86_avx512_add_ps_512, // llvm.x86.avx512.add.ps.512
x86_avx512_broadcastmb_128, // llvm.x86.avx512.broadcastmb.128
x86_avx512_broadcastmb_256, // llvm.x86.avx512.broadcastmb.256
x86_avx512_broadcastmb_512, // llvm.x86.avx512.broadcastmb.512
x86_avx512_broadcastmw_128, // llvm.x86.avx512.broadcastmw.128
x86_avx512_broadcastmw_256, // llvm.x86.avx512.broadcastmw.256
x86_avx512_broadcastmw_512, // llvm.x86.avx512.broadcastmw.512
x86_avx512_cmp_pd_128, // llvm.x86.avx512.cmp.pd.128
x86_avx512_cmp_pd_256, // llvm.x86.avx512.cmp.pd.256
x86_avx512_cmp_pd_512, // llvm.x86.avx512.cmp.pd.512
x86_avx512_cmp_ps_128, // llvm.x86.avx512.cmp.ps.128
x86_avx512_cmp_ps_256, // llvm.x86.avx512.cmp.ps.256
x86_avx512_cmp_ps_512, // llvm.x86.avx512.cmp.ps.512
x86_avx512_conflict_d_128, // llvm.x86.avx512.conflict.d.128
x86_avx512_conflict_d_256, // llvm.x86.avx512.conflict.d.256
x86_avx512_conflict_d_512, // llvm.x86.avx512.conflict.d.512
x86_avx512_conflict_q_128, // llvm.x86.avx512.conflict.q.128
x86_avx512_conflict_q_256, // llvm.x86.avx512.conflict.q.256
x86_avx512_conflict_q_512, // llvm.x86.avx512.conflict.q.512
x86_avx512_cvtsi2sd64, // llvm.x86.avx512.cvtsi2sd64
x86_avx512_cvtsi2ss32, // llvm.x86.avx512.cvtsi2ss32
x86_avx512_cvtsi2ss64, // llvm.x86.avx512.cvtsi2ss64
x86_avx512_cvttsd2si, // llvm.x86.avx512.cvttsd2si
x86_avx512_cvttsd2si64, // llvm.x86.avx512.cvttsd2si64
x86_avx512_cvttsd2usi, // llvm.x86.avx512.cvttsd2usi
x86_avx512_cvttsd2usi64, // llvm.x86.avx512.cvttsd2usi64
x86_avx512_cvttss2si, // llvm.x86.avx512.cvttss2si
x86_avx512_cvttss2si64, // llvm.x86.avx512.cvttss2si64
x86_avx512_cvttss2usi, // llvm.x86.avx512.cvttss2usi
x86_avx512_cvttss2usi64, // llvm.x86.avx512.cvttss2usi64
x86_avx512_cvtusi2ss, // llvm.x86.avx512.cvtusi2ss
x86_avx512_cvtusi642sd, // llvm.x86.avx512.cvtusi642sd
x86_avx512_cvtusi642ss, // llvm.x86.avx512.cvtusi642ss
x86_avx512_dbpsadbw_128, // llvm.x86.avx512.dbpsadbw.128
x86_avx512_dbpsadbw_256, // llvm.x86.avx512.dbpsadbw.256
x86_avx512_dbpsadbw_512, // llvm.x86.avx512.dbpsadbw.512
x86_avx512_div_pd_512, // llvm.x86.avx512.div.pd.512
x86_avx512_div_ps_512, // llvm.x86.avx512.div.ps.512
x86_avx512_exp2_pd, // llvm.x86.avx512.exp2.pd
x86_avx512_exp2_ps, // llvm.x86.avx512.exp2.ps
x86_avx512_fpclass_pd_128, // llvm.x86.avx512.fpclass.pd.128
x86_avx512_fpclass_pd_256, // llvm.x86.avx512.fpclass.pd.256
x86_avx512_fpclass_pd_512, // llvm.x86.avx512.fpclass.pd.512
x86_avx512_fpclass_ps_128, // llvm.x86.avx512.fpclass.ps.128
x86_avx512_fpclass_ps_256, // llvm.x86.avx512.fpclass.ps.256
x86_avx512_fpclass_ps_512, // llvm.x86.avx512.fpclass.ps.512
x86_avx512_gather_dpd_512, // llvm.x86.avx512.gather.dpd.512
x86_avx512_gather_dpi_512, // llvm.x86.avx512.gather.dpi.512
x86_avx512_gather_dpq_512, // llvm.x86.avx512.gather.dpq.512
x86_avx512_gather_dps_512, // llvm.x86.avx512.gather.dps.512
x86_avx512_gather_qpd_512, // llvm.x86.avx512.gather.qpd.512
x86_avx512_gather_qpi_512, // llvm.x86.avx512.gather.qpi.512
x86_avx512_gather_qpq_512, // llvm.x86.avx512.gather.qpq.512
x86_avx512_gather_qps_512, // llvm.x86.avx512.gather.qps.512
x86_avx512_gather3div2_df, // llvm.x86.avx512.gather3div2.df
x86_avx512_gather3div2_di, // llvm.x86.avx512.gather3div2.di
x86_avx512_gather3div4_df, // llvm.x86.avx512.gather3div4.df
x86_avx512_gather3div4_di, // llvm.x86.avx512.gather3div4.di
x86_avx512_gather3div4_sf, // llvm.x86.avx512.gather3div4.sf
x86_avx512_gather3div4_si, // llvm.x86.avx512.gather3div4.si
x86_avx512_gather3div8_sf, // llvm.x86.avx512.gather3div8.sf
x86_avx512_gather3div8_si, // llvm.x86.avx512.gather3div8.si
x86_avx512_gather3siv2_df, // llvm.x86.avx512.gather3siv2.df
x86_avx512_gather3siv2_di, // llvm.x86.avx512.gather3siv2.di
x86_avx512_gather3siv4_df, // llvm.x86.avx512.gather3siv4.df
x86_avx512_gather3siv4_di, // llvm.x86.avx512.gather3siv4.di
x86_avx512_gather3siv4_sf, // llvm.x86.avx512.gather3siv4.sf
x86_avx512_gather3siv4_si, // llvm.x86.avx512.gather3siv4.si
x86_avx512_gather3siv8_sf, // llvm.x86.avx512.gather3siv8.sf
x86_avx512_gather3siv8_si, // llvm.x86.avx512.gather3siv8.si
x86_avx512_gatherpf_dpd_512, // llvm.x86.avx512.gatherpf.dpd.512
x86_avx512_gatherpf_dps_512, // llvm.x86.avx512.gatherpf.dps.512
x86_avx512_gatherpf_qpd_512, // llvm.x86.avx512.gatherpf.qpd.512
x86_avx512_gatherpf_qps_512, // llvm.x86.avx512.gatherpf.qps.512
x86_avx512_kadd_b, // llvm.x86.avx512.kadd.b
x86_avx512_kadd_d, // llvm.x86.avx512.kadd.d
x86_avx512_kadd_q, // llvm.x86.avx512.kadd.q
x86_avx512_kadd_w, // llvm.x86.avx512.kadd.w
x86_avx512_ktestc_b, // llvm.x86.avx512.ktestc.b
x86_avx512_ktestc_d, // llvm.x86.avx512.ktestc.d
x86_avx512_ktestc_q, // llvm.x86.avx512.ktestc.q
x86_avx512_ktestc_w, // llvm.x86.avx512.ktestc.w
x86_avx512_ktestz_b, // llvm.x86.avx512.ktestz.b
x86_avx512_ktestz_d, // llvm.x86.avx512.ktestz.d
x86_avx512_ktestz_q, // llvm.x86.avx512.ktestz.q
x86_avx512_ktestz_w, // llvm.x86.avx512.ktestz.w
x86_avx512_mask_add_sd_round, // llvm.x86.avx512.mask.add.sd.round
x86_avx512_mask_add_ss_round, // llvm.x86.avx512.mask.add.ss.round
x86_avx512_mask_cmp_sd, // llvm.x86.avx512.mask.cmp.sd
x86_avx512_mask_cmp_ss, // llvm.x86.avx512.mask.cmp.ss
x86_avx512_mask_compress, // llvm.x86.avx512.mask.compress
x86_avx512_mask_cvtpd2dq_128, // llvm.x86.avx512.mask.cvtpd2dq.128
x86_avx512_mask_cvtpd2dq_512, // llvm.x86.avx512.mask.cvtpd2dq.512
x86_avx512_mask_cvtpd2ps, // llvm.x86.avx512.mask.cvtpd2ps
x86_avx512_mask_cvtpd2ps_512, // llvm.x86.avx512.mask.cvtpd2ps.512
x86_avx512_mask_cvtpd2qq_128, // llvm.x86.avx512.mask.cvtpd2qq.128
x86_avx512_mask_cvtpd2qq_256, // llvm.x86.avx512.mask.cvtpd2qq.256
x86_avx512_mask_cvtpd2qq_512, // llvm.x86.avx512.mask.cvtpd2qq.512
x86_avx512_mask_cvtpd2udq_128, // llvm.x86.avx512.mask.cvtpd2udq.128
x86_avx512_mask_cvtpd2udq_256, // llvm.x86.avx512.mask.cvtpd2udq.256
x86_avx512_mask_cvtpd2udq_512, // llvm.x86.avx512.mask.cvtpd2udq.512
x86_avx512_mask_cvtpd2uqq_128, // llvm.x86.avx512.mask.cvtpd2uqq.128
x86_avx512_mask_cvtpd2uqq_256, // llvm.x86.avx512.mask.cvtpd2uqq.256
x86_avx512_mask_cvtpd2uqq_512, // llvm.x86.avx512.mask.cvtpd2uqq.512
x86_avx512_mask_cvtps2dq_128, // llvm.x86.avx512.mask.cvtps2dq.128
x86_avx512_mask_cvtps2dq_256, // llvm.x86.avx512.mask.cvtps2dq.256
x86_avx512_mask_cvtps2dq_512, // llvm.x86.avx512.mask.cvtps2dq.512
x86_avx512_mask_cvtps2pd_512, // llvm.x86.avx512.mask.cvtps2pd.512
x86_avx512_mask_cvtps2qq_128, // llvm.x86.avx512.mask.cvtps2qq.128
x86_avx512_mask_cvtps2qq_256, // llvm.x86.avx512.mask.cvtps2qq.256
x86_avx512_mask_cvtps2qq_512, // llvm.x86.avx512.mask.cvtps2qq.512
x86_avx512_mask_cvtps2udq_128, // llvm.x86.avx512.mask.cvtps2udq.128
x86_avx512_mask_cvtps2udq_256, // llvm.x86.avx512.mask.cvtps2udq.256
x86_avx512_mask_cvtps2udq_512, // llvm.x86.avx512.mask.cvtps2udq.512
x86_avx512_mask_cvtps2uqq_128, // llvm.x86.avx512.mask.cvtps2uqq.128
x86_avx512_mask_cvtps2uqq_256, // llvm.x86.avx512.mask.cvtps2uqq.256
x86_avx512_mask_cvtps2uqq_512, // llvm.x86.avx512.mask.cvtps2uqq.512
x86_avx512_mask_cvtqq2ps_128, // llvm.x86.avx512.mask.cvtqq2ps.128
x86_avx512_mask_cvtsd2ss_round, // llvm.x86.avx512.mask.cvtsd2ss.round
x86_avx512_mask_cvtss2sd_round, // llvm.x86.avx512.mask.cvtss2sd.round
x86_avx512_mask_cvttpd2dq_128, // llvm.x86.avx512.mask.cvttpd2dq.128
x86_avx512_mask_cvttpd2dq_512, // llvm.x86.avx512.mask.cvttpd2dq.512
x86_avx512_mask_cvttpd2qq_128, // llvm.x86.avx512.mask.cvttpd2qq.128
x86_avx512_mask_cvttpd2qq_256, // llvm.x86.avx512.mask.cvttpd2qq.256
x86_avx512_mask_cvttpd2qq_512, // llvm.x86.avx512.mask.cvttpd2qq.512
x86_avx512_mask_cvttpd2udq_128, // llvm.x86.avx512.mask.cvttpd2udq.128
x86_avx512_mask_cvttpd2udq_256, // llvm.x86.avx512.mask.cvttpd2udq.256
x86_avx512_mask_cvttpd2udq_512, // llvm.x86.avx512.mask.cvttpd2udq.512
x86_avx512_mask_cvttpd2uqq_128, // llvm.x86.avx512.mask.cvttpd2uqq.128
x86_avx512_mask_cvttpd2uqq_256, // llvm.x86.avx512.mask.cvttpd2uqq.256
x86_avx512_mask_cvttpd2uqq_512, // llvm.x86.avx512.mask.cvttpd2uqq.512
x86_avx512_mask_cvttps2dq_512, // llvm.x86.avx512.mask.cvttps2dq.512
x86_avx512_mask_cvttps2qq_128, // llvm.x86.avx512.mask.cvttps2qq.128
x86_avx512_mask_cvttps2qq_256, // llvm.x86.avx512.mask.cvttps2qq.256
x86_avx512_mask_cvttps2qq_512, // llvm.x86.avx512.mask.cvttps2qq.512
x86_avx512_mask_cvttps2udq_128, // llvm.x86.avx512.mask.cvttps2udq.128
x86_avx512_mask_cvttps2udq_256, // llvm.x86.avx512.mask.cvttps2udq.256
x86_avx512_mask_cvttps2udq_512, // llvm.x86.avx512.mask.cvttps2udq.512
x86_avx512_mask_cvttps2uqq_128, // llvm.x86.avx512.mask.cvttps2uqq.128
x86_avx512_mask_cvttps2uqq_256, // llvm.x86.avx512.mask.cvttps2uqq.256
x86_avx512_mask_cvttps2uqq_512, // llvm.x86.avx512.mask.cvttps2uqq.512
x86_avx512_mask_cvtuqq2ps_128, // llvm.x86.avx512.mask.cvtuqq2ps.128
x86_avx512_mask_div_sd_round, // llvm.x86.avx512.mask.div.sd.round
x86_avx512_mask_div_ss_round, // llvm.x86.avx512.mask.div.ss.round
x86_avx512_mask_expand, // llvm.x86.avx512.mask.expand
x86_avx512_mask_fixupimm_pd_128, // llvm.x86.avx512.mask.fixupimm.pd.128
x86_avx512_mask_fixupimm_pd_256, // llvm.x86.avx512.mask.fixupimm.pd.256
x86_avx512_mask_fixupimm_pd_512, // llvm.x86.avx512.mask.fixupimm.pd.512
x86_avx512_mask_fixupimm_ps_128, // llvm.x86.avx512.mask.fixupimm.ps.128
x86_avx512_mask_fixupimm_ps_256, // llvm.x86.avx512.mask.fixupimm.ps.256
x86_avx512_mask_fixupimm_ps_512, // llvm.x86.avx512.mask.fixupimm.ps.512
x86_avx512_mask_fixupimm_sd, // llvm.x86.avx512.mask.fixupimm.sd
x86_avx512_mask_fixupimm_ss, // llvm.x86.avx512.mask.fixupimm.ss
x86_avx512_mask_fpclass_sd, // llvm.x86.avx512.mask.fpclass.sd
x86_avx512_mask_fpclass_ss, // llvm.x86.avx512.mask.fpclass.ss
x86_avx512_mask_gather_dpd_512, // llvm.x86.avx512.mask.gather.dpd.512
x86_avx512_mask_gather_dpi_512, // llvm.x86.avx512.mask.gather.dpi.512
x86_avx512_mask_gather_dpq_512, // llvm.x86.avx512.mask.gather.dpq.512
x86_avx512_mask_gather_dps_512, // llvm.x86.avx512.mask.gather.dps.512
x86_avx512_mask_gather_qpd_512, // llvm.x86.avx512.mask.gather.qpd.512
x86_avx512_mask_gather_qpi_512, // llvm.x86.avx512.mask.gather.qpi.512
x86_avx512_mask_gather_qpq_512, // llvm.x86.avx512.mask.gather.qpq.512
x86_avx512_mask_gather_qps_512, // llvm.x86.avx512.mask.gather.qps.512
x86_avx512_mask_gather3div2_df, // llvm.x86.avx512.mask.gather3div2.df
x86_avx512_mask_gather3div2_di, // llvm.x86.avx512.mask.gather3div2.di
x86_avx512_mask_gather3div4_df, // llvm.x86.avx512.mask.gather3div4.df
x86_avx512_mask_gather3div4_di, // llvm.x86.avx512.mask.gather3div4.di
x86_avx512_mask_gather3div4_sf, // llvm.x86.avx512.mask.gather3div4.sf
x86_avx512_mask_gather3div4_si, // llvm.x86.avx512.mask.gather3div4.si
x86_avx512_mask_gather3div8_sf, // llvm.x86.avx512.mask.gather3div8.sf
x86_avx512_mask_gather3div8_si, // llvm.x86.avx512.mask.gather3div8.si
x86_avx512_mask_gather3siv2_df, // llvm.x86.avx512.mask.gather3siv2.df
x86_avx512_mask_gather3siv2_di, // llvm.x86.avx512.mask.gather3siv2.di
x86_avx512_mask_gather3siv4_df, // llvm.x86.avx512.mask.gather3siv4.df
x86_avx512_mask_gather3siv4_di, // llvm.x86.avx512.mask.gather3siv4.di
x86_avx512_mask_gather3siv4_sf, // llvm.x86.avx512.mask.gather3siv4.sf
x86_avx512_mask_gather3siv4_si, // llvm.x86.avx512.mask.gather3siv4.si
x86_avx512_mask_gather3siv8_sf, // llvm.x86.avx512.mask.gather3siv8.sf
x86_avx512_mask_gather3siv8_si, // llvm.x86.avx512.mask.gather3siv8.si
x86_avx512_mask_getexp_pd_128, // llvm.x86.avx512.mask.getexp.pd.128
x86_avx512_mask_getexp_pd_256, // llvm.x86.avx512.mask.getexp.pd.256
x86_avx512_mask_getexp_pd_512, // llvm.x86.avx512.mask.getexp.pd.512
x86_avx512_mask_getexp_ps_128, // llvm.x86.avx512.mask.getexp.ps.128
x86_avx512_mask_getexp_ps_256, // llvm.x86.avx512.mask.getexp.ps.256
x86_avx512_mask_getexp_ps_512, // llvm.x86.avx512.mask.getexp.ps.512
x86_avx512_mask_getexp_sd, // llvm.x86.avx512.mask.getexp.sd
x86_avx512_mask_getexp_ss, // llvm.x86.avx512.mask.getexp.ss
x86_avx512_mask_getmant_pd_128, // llvm.x86.avx512.mask.getmant.pd.128
x86_avx512_mask_getmant_pd_256, // llvm.x86.avx512.mask.getmant.pd.256
x86_avx512_mask_getmant_pd_512, // llvm.x86.avx512.mask.getmant.pd.512
x86_avx512_mask_getmant_ps_128, // llvm.x86.avx512.mask.getmant.ps.128
x86_avx512_mask_getmant_ps_256, // llvm.x86.avx512.mask.getmant.ps.256
x86_avx512_mask_getmant_ps_512, // llvm.x86.avx512.mask.getmant.ps.512
x86_avx512_mask_getmant_sd, // llvm.x86.avx512.mask.getmant.sd
x86_avx512_mask_getmant_ss, // llvm.x86.avx512.mask.getmant.ss
x86_avx512_mask_max_sd_round, // llvm.x86.avx512.mask.max.sd.round
x86_avx512_mask_max_ss_round, // llvm.x86.avx512.mask.max.ss.round
x86_avx512_mask_min_sd_round, // llvm.x86.avx512.mask.min.sd.round
x86_avx512_mask_min_ss_round, // llvm.x86.avx512.mask.min.ss.round
x86_avx512_mask_mul_sd_round, // llvm.x86.avx512.mask.mul.sd.round
x86_avx512_mask_mul_ss_round, // llvm.x86.avx512.mask.mul.ss.round
x86_avx512_mask_pmov_db_128, // llvm.x86.avx512.mask.pmov.db.128
x86_avx512_mask_pmov_db_256, // llvm.x86.avx512.mask.pmov.db.256
x86_avx512_mask_pmov_db_512, // llvm.x86.avx512.mask.pmov.db.512
x86_avx512_mask_pmov_db_mem_128, // llvm.x86.avx512.mask.pmov.db.mem.128
x86_avx512_mask_pmov_db_mem_256, // llvm.x86.avx512.mask.pmov.db.mem.256
x86_avx512_mask_pmov_db_mem_512, // llvm.x86.avx512.mask.pmov.db.mem.512
x86_avx512_mask_pmov_dw_128, // llvm.x86.avx512.mask.pmov.dw.128
x86_avx512_mask_pmov_dw_256, // llvm.x86.avx512.mask.pmov.dw.256
x86_avx512_mask_pmov_dw_512, // llvm.x86.avx512.mask.pmov.dw.512
x86_avx512_mask_pmov_dw_mem_128, // llvm.x86.avx512.mask.pmov.dw.mem.128
x86_avx512_mask_pmov_dw_mem_256, // llvm.x86.avx512.mask.pmov.dw.mem.256
x86_avx512_mask_pmov_dw_mem_512, // llvm.x86.avx512.mask.pmov.dw.mem.512
x86_avx512_mask_pmov_qb_128, // llvm.x86.avx512.mask.pmov.qb.128
x86_avx512_mask_pmov_qb_256, // llvm.x86.avx512.mask.pmov.qb.256
x86_avx512_mask_pmov_qb_512, // llvm.x86.avx512.mask.pmov.qb.512
x86_avx512_mask_pmov_qb_mem_128, // llvm.x86.avx512.mask.pmov.qb.mem.128
x86_avx512_mask_pmov_qb_mem_256, // llvm.x86.avx512.mask.pmov.qb.mem.256
x86_avx512_mask_pmov_qb_mem_512, // llvm.x86.avx512.mask.pmov.qb.mem.512
x86_avx512_mask_pmov_qd_128, // llvm.x86.avx512.mask.pmov.qd.128
x86_avx512_mask_pmov_qd_mem_128, // llvm.x86.avx512.mask.pmov.qd.mem.128
x86_avx512_mask_pmov_qd_mem_256, // llvm.x86.avx512.mask.pmov.qd.mem.256
x86_avx512_mask_pmov_qd_mem_512, // llvm.x86.avx512.mask.pmov.qd.mem.512
x86_avx512_mask_pmov_qw_128, // llvm.x86.avx512.mask.pmov.qw.128
x86_avx512_mask_pmov_qw_256, // llvm.x86.avx512.mask.pmov.qw.256
x86_avx512_mask_pmov_qw_512, // llvm.x86.avx512.mask.pmov.qw.512
x86_avx512_mask_pmov_qw_mem_128, // llvm.x86.avx512.mask.pmov.qw.mem.128
x86_avx512_mask_pmov_qw_mem_256, // llvm.x86.avx512.mask.pmov.qw.mem.256
x86_avx512_mask_pmov_qw_mem_512, // llvm.x86.avx512.mask.pmov.qw.mem.512
x86_avx512_mask_pmov_wb_128, // llvm.x86.avx512.mask.pmov.wb.128
x86_avx512_mask_pmov_wb_mem_128, // llvm.x86.avx512.mask.pmov.wb.mem.128
x86_avx512_mask_pmov_wb_mem_256, // llvm.x86.avx512.mask.pmov.wb.mem.256
x86_avx512_mask_pmov_wb_mem_512, // llvm.x86.avx512.mask.pmov.wb.mem.512
x86_avx512_mask_pmovs_db_128, // llvm.x86.avx512.mask.pmovs.db.128
x86_avx512_mask_pmovs_db_256, // llvm.x86.avx512.mask.pmovs.db.256
x86_avx512_mask_pmovs_db_512, // llvm.x86.avx512.mask.pmovs.db.512
x86_avx512_mask_pmovs_db_mem_128, // llvm.x86.avx512.mask.pmovs.db.mem.128
x86_avx512_mask_pmovs_db_mem_256, // llvm.x86.avx512.mask.pmovs.db.mem.256
x86_avx512_mask_pmovs_db_mem_512, // llvm.x86.avx512.mask.pmovs.db.mem.512
x86_avx512_mask_pmovs_dw_128, // llvm.x86.avx512.mask.pmovs.dw.128
x86_avx512_mask_pmovs_dw_256, // llvm.x86.avx512.mask.pmovs.dw.256
x86_avx512_mask_pmovs_dw_512, // llvm.x86.avx512.mask.pmovs.dw.512
x86_avx512_mask_pmovs_dw_mem_128, // llvm.x86.avx512.mask.pmovs.dw.mem.128
x86_avx512_mask_pmovs_dw_mem_256, // llvm.x86.avx512.mask.pmovs.dw.mem.256
x86_avx512_mask_pmovs_dw_mem_512, // llvm.x86.avx512.mask.pmovs.dw.mem.512
x86_avx512_mask_pmovs_qb_128, // llvm.x86.avx512.mask.pmovs.qb.128
x86_avx512_mask_pmovs_qb_256, // llvm.x86.avx512.mask.pmovs.qb.256
x86_avx512_mask_pmovs_qb_512, // llvm.x86.avx512.mask.pmovs.qb.512
x86_avx512_mask_pmovs_qb_mem_128, // llvm.x86.avx512.mask.pmovs.qb.mem.128
x86_avx512_mask_pmovs_qb_mem_256, // llvm.x86.avx512.mask.pmovs.qb.mem.256
x86_avx512_mask_pmovs_qb_mem_512, // llvm.x86.avx512.mask.pmovs.qb.mem.512
x86_avx512_mask_pmovs_qd_128, // llvm.x86.avx512.mask.pmovs.qd.128
x86_avx512_mask_pmovs_qd_256, // llvm.x86.avx512.mask.pmovs.qd.256
x86_avx512_mask_pmovs_qd_512, // llvm.x86.avx512.mask.pmovs.qd.512
x86_avx512_mask_pmovs_qd_mem_128, // llvm.x86.avx512.mask.pmovs.qd.mem.128
x86_avx512_mask_pmovs_qd_mem_256, // llvm.x86.avx512.mask.pmovs.qd.mem.256
x86_avx512_mask_pmovs_qd_mem_512, // llvm.x86.avx512.mask.pmovs.qd.mem.512
x86_avx512_mask_pmovs_qw_128, // llvm.x86.avx512.mask.pmovs.qw.128
x86_avx512_mask_pmovs_qw_256, // llvm.x86.avx512.mask.pmovs.qw.256
x86_avx512_mask_pmovs_qw_512, // llvm.x86.avx512.mask.pmovs.qw.512
x86_avx512_mask_pmovs_qw_mem_128, // llvm.x86.avx512.mask.pmovs.qw.mem.128
x86_avx512_mask_pmovs_qw_mem_256, // llvm.x86.avx512.mask.pmovs.qw.mem.256
x86_avx512_mask_pmovs_qw_mem_512, // llvm.x86.avx512.mask.pmovs.qw.mem.512
x86_avx512_mask_pmovs_wb_128, // llvm.x86.avx512.mask.pmovs.wb.128
x86_avx512_mask_pmovs_wb_256, // llvm.x86.avx512.mask.pmovs.wb.256
x86_avx512_mask_pmovs_wb_512, // llvm.x86.avx512.mask.pmovs.wb.512
x86_avx512_mask_pmovs_wb_mem_128, // llvm.x86.avx512.mask.pmovs.wb.mem.128
x86_avx512_mask_pmovs_wb_mem_256, // llvm.x86.avx512.mask.pmovs.wb.mem.256
x86_avx512_mask_pmovs_wb_mem_512, // llvm.x86.avx512.mask.pmovs.wb.mem.512
x86_avx512_mask_pmovus_db_128, // llvm.x86.avx512.mask.pmovus.db.128
x86_avx512_mask_pmovus_db_256, // llvm.x86.avx512.mask.pmovus.db.256
x86_avx512_mask_pmovus_db_512, // llvm.x86.avx512.mask.pmovus.db.512
x86_avx512_mask_pmovus_db_mem_128, // llvm.x86.avx512.mask.pmovus.db.mem.128
x86_avx512_mask_pmovus_db_mem_256, // llvm.x86.avx512.mask.pmovus.db.mem.256
x86_avx512_mask_pmovus_db_mem_512, // llvm.x86.avx512.mask.pmovus.db.mem.512
x86_avx512_mask_pmovus_dw_128, // llvm.x86.avx512.mask.pmovus.dw.128
x86_avx512_mask_pmovus_dw_256, // llvm.x86.avx512.mask.pmovus.dw.256
x86_avx512_mask_pmovus_dw_512, // llvm.x86.avx512.mask.pmovus.dw.512
x86_avx512_mask_pmovus_dw_mem_128, // llvm.x86.avx512.mask.pmovus.dw.mem.128
x86_avx512_mask_pmovus_dw_mem_256, // llvm.x86.avx512.mask.pmovus.dw.mem.256
x86_avx512_mask_pmovus_dw_mem_512, // llvm.x86.avx512.mask.pmovus.dw.mem.512
x86_avx512_mask_pmovus_qb_128, // llvm.x86.avx512.mask.pmovus.qb.128
x86_avx512_mask_pmovus_qb_256, // llvm.x86.avx512.mask.pmovus.qb.256
x86_avx512_mask_pmovus_qb_512, // llvm.x86.avx512.mask.pmovus.qb.512
x86_avx512_mask_pmovus_qb_mem_128, // llvm.x86.avx512.mask.pmovus.qb.mem.128
x86_avx512_mask_pmovus_qb_mem_256, // llvm.x86.avx512.mask.pmovus.qb.mem.256
x86_avx512_mask_pmovus_qb_mem_512, // llvm.x86.avx512.mask.pmovus.qb.mem.512
x86_avx512_mask_pmovus_qd_128, // llvm.x86.avx512.mask.pmovus.qd.128
x86_avx512_mask_pmovus_qd_256, // llvm.x86.avx512.mask.pmovus.qd.256
x86_avx512_mask_pmovus_qd_512, // llvm.x86.avx512.mask.pmovus.qd.512
x86_avx512_mask_pmovus_qd_mem_128, // llvm.x86.avx512.mask.pmovus.qd.mem.128
x86_avx512_mask_pmovus_qd_mem_256, // llvm.x86.avx512.mask.pmovus.qd.mem.256
x86_avx512_mask_pmovus_qd_mem_512, // llvm.x86.avx512.mask.pmovus.qd.mem.512
x86_avx512_mask_pmovus_qw_128, // llvm.x86.avx512.mask.pmovus.qw.128
x86_avx512_mask_pmovus_qw_256, // llvm.x86.avx512.mask.pmovus.qw.256
x86_avx512_mask_pmovus_qw_512, // llvm.x86.avx512.mask.pmovus.qw.512
x86_avx512_mask_pmovus_qw_mem_128, // llvm.x86.avx512.mask.pmovus.qw.mem.128
x86_avx512_mask_pmovus_qw_mem_256, // llvm.x86.avx512.mask.pmovus.qw.mem.256
x86_avx512_mask_pmovus_qw_mem_512, // llvm.x86.avx512.mask.pmovus.qw.mem.512
x86_avx512_mask_pmovus_wb_128, // llvm.x86.avx512.mask.pmovus.wb.128
x86_avx512_mask_pmovus_wb_256, // llvm.x86.avx512.mask.pmovus.wb.256
x86_avx512_mask_pmovus_wb_512, // llvm.x86.avx512.mask.pmovus.wb.512
x86_avx512_mask_pmovus_wb_mem_128, // llvm.x86.avx512.mask.pmovus.wb.mem.128
x86_avx512_mask_pmovus_wb_mem_256, // llvm.x86.avx512.mask.pmovus.wb.mem.256
x86_avx512_mask_pmovus_wb_mem_512, // llvm.x86.avx512.mask.pmovus.wb.mem.512
x86_avx512_mask_range_pd_128, // llvm.x86.avx512.mask.range.pd.128
x86_avx512_mask_range_pd_256, // llvm.x86.avx512.mask.range.pd.256
x86_avx512_mask_range_pd_512, // llvm.x86.avx512.mask.range.pd.512
x86_avx512_mask_range_ps_128, // llvm.x86.avx512.mask.range.ps.128
x86_avx512_mask_range_ps_256, // llvm.x86.avx512.mask.range.ps.256
x86_avx512_mask_range_ps_512, // llvm.x86.avx512.mask.range.ps.512
x86_avx512_mask_range_sd, // llvm.x86.avx512.mask.range.sd
x86_avx512_mask_range_ss, // llvm.x86.avx512.mask.range.ss
x86_avx512_mask_reduce_pd_128, // llvm.x86.avx512.mask.reduce.pd.128
x86_avx512_mask_reduce_pd_256, // llvm.x86.avx512.mask.reduce.pd.256
x86_avx512_mask_reduce_pd_512, // llvm.x86.avx512.mask.reduce.pd.512
x86_avx512_mask_reduce_ps_128, // llvm.x86.avx512.mask.reduce.ps.128
x86_avx512_mask_reduce_ps_256, // llvm.x86.avx512.mask.reduce.ps.256
x86_avx512_mask_reduce_ps_512, // llvm.x86.avx512.mask.reduce.ps.512
x86_avx512_mask_reduce_sd, // llvm.x86.avx512.mask.reduce.sd
x86_avx512_mask_reduce_ss, // llvm.x86.avx512.mask.reduce.ss
x86_avx512_mask_rndscale_pd_128, // llvm.x86.avx512.mask.rndscale.pd.128
x86_avx512_mask_rndscale_pd_256, // llvm.x86.avx512.mask.rndscale.pd.256
x86_avx512_mask_rndscale_pd_512, // llvm.x86.avx512.mask.rndscale.pd.512
x86_avx512_mask_rndscale_ps_128, // llvm.x86.avx512.mask.rndscale.ps.128
x86_avx512_mask_rndscale_ps_256, // llvm.x86.avx512.mask.rndscale.ps.256
x86_avx512_mask_rndscale_ps_512, // llvm.x86.avx512.mask.rndscale.ps.512
x86_avx512_mask_rndscale_sd, // llvm.x86.avx512.mask.rndscale.sd
x86_avx512_mask_rndscale_ss, // llvm.x86.avx512.mask.rndscale.ss
x86_avx512_mask_scalef_pd_128, // llvm.x86.avx512.mask.scalef.pd.128
x86_avx512_mask_scalef_pd_256, // llvm.x86.avx512.mask.scalef.pd.256
x86_avx512_mask_scalef_pd_512, // llvm.x86.avx512.mask.scalef.pd.512
x86_avx512_mask_scalef_ps_128, // llvm.x86.avx512.mask.scalef.ps.128
x86_avx512_mask_scalef_ps_256, // llvm.x86.avx512.mask.scalef.ps.256
x86_avx512_mask_scalef_ps_512, // llvm.x86.avx512.mask.scalef.ps.512
x86_avx512_mask_scalef_sd, // llvm.x86.avx512.mask.scalef.sd
x86_avx512_mask_scalef_ss, // llvm.x86.avx512.mask.scalef.ss
x86_avx512_mask_scatter_dpd_512, // llvm.x86.avx512.mask.scatter.dpd.512
x86_avx512_mask_scatter_dpi_512, // llvm.x86.avx512.mask.scatter.dpi.512
x86_avx512_mask_scatter_dpq_512, // llvm.x86.avx512.mask.scatter.dpq.512
x86_avx512_mask_scatter_dps_512, // llvm.x86.avx512.mask.scatter.dps.512
x86_avx512_mask_scatter_qpd_512, // llvm.x86.avx512.mask.scatter.qpd.512
x86_avx512_mask_scatter_qpi_512, // llvm.x86.avx512.mask.scatter.qpi.512
x86_avx512_mask_scatter_qpq_512, // llvm.x86.avx512.mask.scatter.qpq.512
x86_avx512_mask_scatter_qps_512, // llvm.x86.avx512.mask.scatter.qps.512
x86_avx512_mask_scatterdiv2_df, // llvm.x86.avx512.mask.scatterdiv2.df
x86_avx512_mask_scatterdiv2_di, // llvm.x86.avx512.mask.scatterdiv2.di
x86_avx512_mask_scatterdiv4_df, // llvm.x86.avx512.mask.scatterdiv4.df
x86_avx512_mask_scatterdiv4_di, // llvm.x86.avx512.mask.scatterdiv4.di
x86_avx512_mask_scatterdiv4_sf, // llvm.x86.avx512.mask.scatterdiv4.sf
x86_avx512_mask_scatterdiv4_si, // llvm.x86.avx512.mask.scatterdiv4.si
x86_avx512_mask_scatterdiv8_sf, // llvm.x86.avx512.mask.scatterdiv8.sf
x86_avx512_mask_scatterdiv8_si, // llvm.x86.avx512.mask.scatterdiv8.si
x86_avx512_mask_scattersiv2_df, // llvm.x86.avx512.mask.scattersiv2.df
x86_avx512_mask_scattersiv2_di, // llvm.x86.avx512.mask.scattersiv2.di
x86_avx512_mask_scattersiv4_df, // llvm.x86.avx512.mask.scattersiv4.df
x86_avx512_mask_scattersiv4_di, // llvm.x86.avx512.mask.scattersiv4.di
x86_avx512_mask_scattersiv4_sf, // llvm.x86.avx512.mask.scattersiv4.sf
x86_avx512_mask_scattersiv4_si, // llvm.x86.avx512.mask.scattersiv4.si
x86_avx512_mask_scattersiv8_sf, // llvm.x86.avx512.mask.scattersiv8.sf
x86_avx512_mask_scattersiv8_si, // llvm.x86.avx512.mask.scattersiv8.si
x86_avx512_mask_sqrt_sd, // llvm.x86.avx512.mask.sqrt.sd
x86_avx512_mask_sqrt_ss, // llvm.x86.avx512.mask.sqrt.ss
x86_avx512_mask_sub_sd_round, // llvm.x86.avx512.mask.sub.sd.round
x86_avx512_mask_sub_ss_round, // llvm.x86.avx512.mask.sub.ss.round
x86_avx512_mask_vcvtph2ps_128, // llvm.x86.avx512.mask.vcvtph2ps.128
x86_avx512_mask_vcvtph2ps_256, // llvm.x86.avx512.mask.vcvtph2ps.256
x86_avx512_mask_vcvtph2ps_512, // llvm.x86.avx512.mask.vcvtph2ps.512
x86_avx512_mask_vcvtps2ph_128, // llvm.x86.avx512.mask.vcvtps2ph.128
x86_avx512_mask_vcvtps2ph_256, // llvm.x86.avx512.mask.vcvtps2ph.256
x86_avx512_mask_vcvtps2ph_512, // llvm.x86.avx512.mask.vcvtps2ph.512
x86_avx512_maskz_fixupimm_pd_128, // llvm.x86.avx512.maskz.fixupimm.pd.128
x86_avx512_maskz_fixupimm_pd_256, // llvm.x86.avx512.maskz.fixupimm.pd.256
x86_avx512_maskz_fixupimm_pd_512, // llvm.x86.avx512.maskz.fixupimm.pd.512
x86_avx512_maskz_fixupimm_ps_128, // llvm.x86.avx512.maskz.fixupimm.ps.128
x86_avx512_maskz_fixupimm_ps_256, // llvm.x86.avx512.maskz.fixupimm.ps.256
x86_avx512_maskz_fixupimm_ps_512, // llvm.x86.avx512.maskz.fixupimm.ps.512
x86_avx512_maskz_fixupimm_sd, // llvm.x86.avx512.maskz.fixupimm.sd
x86_avx512_maskz_fixupimm_ss, // llvm.x86.avx512.maskz.fixupimm.ss
x86_avx512_max_pd_512, // llvm.x86.avx512.max.pd.512
x86_avx512_max_ps_512, // llvm.x86.avx512.max.ps.512
x86_avx512_min_pd_512, // llvm.x86.avx512.min.pd.512
x86_avx512_min_ps_512, // llvm.x86.avx512.min.ps.512
x86_avx512_mul_pd_512, // llvm.x86.avx512.mul.pd.512
x86_avx512_mul_ps_512, // llvm.x86.avx512.mul.ps.512
x86_avx512_packssdw_512, // llvm.x86.avx512.packssdw.512
x86_avx512_packsswb_512, // llvm.x86.avx512.packsswb.512
x86_avx512_packusdw_512, // llvm.x86.avx512.packusdw.512
x86_avx512_packuswb_512, // llvm.x86.avx512.packuswb.512
x86_avx512_permvar_df_256, // llvm.x86.avx512.permvar.df.256
x86_avx512_permvar_df_512, // llvm.x86.avx512.permvar.df.512
x86_avx512_permvar_di_256, // llvm.x86.avx512.permvar.di.256
x86_avx512_permvar_di_512, // llvm.x86.avx512.permvar.di.512
x86_avx512_permvar_hi_128, // llvm.x86.avx512.permvar.hi.128
x86_avx512_permvar_hi_256, // llvm.x86.avx512.permvar.hi.256
x86_avx512_permvar_hi_512, // llvm.x86.avx512.permvar.hi.512
x86_avx512_permvar_qi_128, // llvm.x86.avx512.permvar.qi.128
x86_avx512_permvar_qi_256, // llvm.x86.avx512.permvar.qi.256
x86_avx512_permvar_qi_512, // llvm.x86.avx512.permvar.qi.512
x86_avx512_permvar_sf_512, // llvm.x86.avx512.permvar.sf.512
x86_avx512_permvar_si_512, // llvm.x86.avx512.permvar.si.512
x86_avx512_pmaddubs_w_512, // llvm.x86.avx512.pmaddubs.w.512
x86_avx512_pmaddw_d_512, // llvm.x86.avx512.pmaddw.d.512
x86_avx512_pmul_hr_sw_512, // llvm.x86.avx512.pmul.hr.sw.512
x86_avx512_pmulh_w_512, // llvm.x86.avx512.pmulh.w.512
x86_avx512_pmulhu_w_512, // llvm.x86.avx512.pmulhu.w.512
x86_avx512_pmultishift_qb_128, // llvm.x86.avx512.pmultishift.qb.128
x86_avx512_pmultishift_qb_256, // llvm.x86.avx512.pmultishift.qb.256
x86_avx512_pmultishift_qb_512, // llvm.x86.avx512.pmultishift.qb.512
x86_avx512_psad_bw_512, // llvm.x86.avx512.psad.bw.512
x86_avx512_pshuf_b_512, // llvm.x86.avx512.pshuf.b.512
x86_avx512_psll_d_512, // llvm.x86.avx512.psll.d.512
x86_avx512_psll_q_512, // llvm.x86.avx512.psll.q.512
x86_avx512_psll_w_512, // llvm.x86.avx512.psll.w.512
x86_avx512_pslli_d_512, // llvm.x86.avx512.pslli.d.512
x86_avx512_pslli_q_512, // llvm.x86.avx512.pslli.q.512
x86_avx512_pslli_w_512, // llvm.x86.avx512.pslli.w.512
x86_avx512_psllv_d_512, // llvm.x86.avx512.psllv.d.512
x86_avx512_psllv_q_512, // llvm.x86.avx512.psllv.q.512
x86_avx512_psllv_w_128, // llvm.x86.avx512.psllv.w.128
x86_avx512_psllv_w_256, // llvm.x86.avx512.psllv.w.256
x86_avx512_psllv_w_512, // llvm.x86.avx512.psllv.w.512
x86_avx512_psra_d_512, // llvm.x86.avx512.psra.d.512
x86_avx512_psra_q_128, // llvm.x86.avx512.psra.q.128
x86_avx512_psra_q_256, // llvm.x86.avx512.psra.q.256
x86_avx512_psra_q_512, // llvm.x86.avx512.psra.q.512
x86_avx512_psra_w_512, // llvm.x86.avx512.psra.w.512
x86_avx512_psrai_d_512, // llvm.x86.avx512.psrai.d.512
x86_avx512_psrai_q_128, // llvm.x86.avx512.psrai.q.128
x86_avx512_psrai_q_256, // llvm.x86.avx512.psrai.q.256
x86_avx512_psrai_q_512, // llvm.x86.avx512.psrai.q.512
x86_avx512_psrai_w_512, // llvm.x86.avx512.psrai.w.512
x86_avx512_psrav_d_512, // llvm.x86.avx512.psrav.d.512
x86_avx512_psrav_q_128, // llvm.x86.avx512.psrav.q.128
x86_avx512_psrav_q_256, // llvm.x86.avx512.psrav.q.256
x86_avx512_psrav_q_512, // llvm.x86.avx512.psrav.q.512
x86_avx512_psrav_w_128, // llvm.x86.avx512.psrav.w.128
x86_avx512_psrav_w_256, // llvm.x86.avx512.psrav.w.256
x86_avx512_psrav_w_512, // llvm.x86.avx512.psrav.w.512
x86_avx512_psrl_d_512, // llvm.x86.avx512.psrl.d.512
x86_avx512_psrl_q_512, // llvm.x86.avx512.psrl.q.512
x86_avx512_psrl_w_512, // llvm.x86.avx512.psrl.w.512
x86_avx512_psrli_d_512, // llvm.x86.avx512.psrli.d.512
x86_avx512_psrli_q_512, // llvm.x86.avx512.psrli.q.512
x86_avx512_psrli_w_512, // llvm.x86.avx512.psrli.w.512
x86_avx512_psrlv_d_512, // llvm.x86.avx512.psrlv.d.512
x86_avx512_psrlv_q_512, // llvm.x86.avx512.psrlv.q.512
x86_avx512_psrlv_w_128, // llvm.x86.avx512.psrlv.w.128
x86_avx512_psrlv_w_256, // llvm.x86.avx512.psrlv.w.256
x86_avx512_psrlv_w_512, // llvm.x86.avx512.psrlv.w.512
x86_avx512_pternlog_d_128, // llvm.x86.avx512.pternlog.d.128
x86_avx512_pternlog_d_256, // llvm.x86.avx512.pternlog.d.256
x86_avx512_pternlog_d_512, // llvm.x86.avx512.pternlog.d.512
x86_avx512_pternlog_q_128, // llvm.x86.avx512.pternlog.q.128
x86_avx512_pternlog_q_256, // llvm.x86.avx512.pternlog.q.256
x86_avx512_pternlog_q_512, // llvm.x86.avx512.pternlog.q.512
x86_avx512_rcp14_pd_128, // llvm.x86.avx512.rcp14.pd.128
x86_avx512_rcp14_pd_256, // llvm.x86.avx512.rcp14.pd.256
x86_avx512_rcp14_pd_512, // llvm.x86.avx512.rcp14.pd.512
x86_avx512_rcp14_ps_128, // llvm.x86.avx512.rcp14.ps.128
x86_avx512_rcp14_ps_256, // llvm.x86.avx512.rcp14.ps.256
x86_avx512_rcp14_ps_512, // llvm.x86.avx512.rcp14.ps.512
x86_avx512_rcp14_sd, // llvm.x86.avx512.rcp14.sd
x86_avx512_rcp14_ss, // llvm.x86.avx512.rcp14.ss
x86_avx512_rcp28_pd, // llvm.x86.avx512.rcp28.pd
x86_avx512_rcp28_ps, // llvm.x86.avx512.rcp28.ps
x86_avx512_rcp28_sd, // llvm.x86.avx512.rcp28.sd
x86_avx512_rcp28_ss, // llvm.x86.avx512.rcp28.ss
x86_avx512_rsqrt14_pd_128, // llvm.x86.avx512.rsqrt14.pd.128
x86_avx512_rsqrt14_pd_256, // llvm.x86.avx512.rsqrt14.pd.256
x86_avx512_rsqrt14_pd_512, // llvm.x86.avx512.rsqrt14.pd.512
x86_avx512_rsqrt14_ps_128, // llvm.x86.avx512.rsqrt14.ps.128
x86_avx512_rsqrt14_ps_256, // llvm.x86.avx512.rsqrt14.ps.256
x86_avx512_rsqrt14_ps_512, // llvm.x86.avx512.rsqrt14.ps.512
x86_avx512_rsqrt14_sd, // llvm.x86.avx512.rsqrt14.sd
x86_avx512_rsqrt14_ss, // llvm.x86.avx512.rsqrt14.ss
x86_avx512_rsqrt28_pd, // llvm.x86.avx512.rsqrt28.pd
x86_avx512_rsqrt28_ps, // llvm.x86.avx512.rsqrt28.ps
x86_avx512_rsqrt28_sd, // llvm.x86.avx512.rsqrt28.sd
x86_avx512_rsqrt28_ss, // llvm.x86.avx512.rsqrt28.ss
x86_avx512_scatter_dpd_512, // llvm.x86.avx512.scatter.dpd.512
x86_avx512_scatter_dpi_512, // llvm.x86.avx512.scatter.dpi.512
x86_avx512_scatter_dpq_512, // llvm.x86.avx512.scatter.dpq.512
x86_avx512_scatter_dps_512, // llvm.x86.avx512.scatter.dps.512
x86_avx512_scatter_qpd_512, // llvm.x86.avx512.scatter.qpd.512
x86_avx512_scatter_qpi_512, // llvm.x86.avx512.scatter.qpi.512
x86_avx512_scatter_qpq_512, // llvm.x86.avx512.scatter.qpq.512
x86_avx512_scatter_qps_512, // llvm.x86.avx512.scatter.qps.512
x86_avx512_scatterdiv2_df, // llvm.x86.avx512.scatterdiv2.df
x86_avx512_scatterdiv2_di, // llvm.x86.avx512.scatterdiv2.di
x86_avx512_scatterdiv4_df, // llvm.x86.avx512.scatterdiv4.df
x86_avx512_scatterdiv4_di, // llvm.x86.avx512.scatterdiv4.di
x86_avx512_scatterdiv4_sf, // llvm.x86.avx512.scatterdiv4.sf
x86_avx512_scatterdiv4_si, // llvm.x86.avx512.scatterdiv4.si
x86_avx512_scatterdiv8_sf, // llvm.x86.avx512.scatterdiv8.sf
x86_avx512_scatterdiv8_si, // llvm.x86.avx512.scatterdiv8.si
x86_avx512_scatterpf_dpd_512, // llvm.x86.avx512.scatterpf.dpd.512
x86_avx512_scatterpf_dps_512, // llvm.x86.avx512.scatterpf.dps.512
x86_avx512_scatterpf_qpd_512, // llvm.x86.avx512.scatterpf.qpd.512
x86_avx512_scatterpf_qps_512, // llvm.x86.avx512.scatterpf.qps.512
x86_avx512_scattersiv2_df, // llvm.x86.avx512.scattersiv2.df
x86_avx512_scattersiv2_di, // llvm.x86.avx512.scattersiv2.di
x86_avx512_scattersiv4_df, // llvm.x86.avx512.scattersiv4.df
x86_avx512_scattersiv4_di, // llvm.x86.avx512.scattersiv4.di
x86_avx512_scattersiv4_sf, // llvm.x86.avx512.scattersiv4.sf
x86_avx512_scattersiv4_si, // llvm.x86.avx512.scattersiv4.si
x86_avx512_scattersiv8_sf, // llvm.x86.avx512.scattersiv8.sf
x86_avx512_scattersiv8_si, // llvm.x86.avx512.scattersiv8.si
x86_avx512_sitofp_round, // llvm.x86.avx512.sitofp.round
x86_avx512_sqrt_pd_512, // llvm.x86.avx512.sqrt.pd.512
x86_avx512_sqrt_ps_512, // llvm.x86.avx512.sqrt.ps.512
x86_avx512_sub_pd_512, // llvm.x86.avx512.sub.pd.512
x86_avx512_sub_ps_512, // llvm.x86.avx512.sub.ps.512
x86_avx512_uitofp_round, // llvm.x86.avx512.uitofp.round
x86_avx512_vcomi_sd, // llvm.x86.avx512.vcomi.sd
x86_avx512_vcomi_ss, // llvm.x86.avx512.vcomi.ss
x86_avx512_vcvtsd2si32, // llvm.x86.avx512.vcvtsd2si32
x86_avx512_vcvtsd2si64, // llvm.x86.avx512.vcvtsd2si64
x86_avx512_vcvtsd2usi32, // llvm.x86.avx512.vcvtsd2usi32
x86_avx512_vcvtsd2usi64, // llvm.x86.avx512.vcvtsd2usi64
x86_avx512_vcvtss2si32, // llvm.x86.avx512.vcvtss2si32
x86_avx512_vcvtss2si64, // llvm.x86.avx512.vcvtss2si64
x86_avx512_vcvtss2usi32, // llvm.x86.avx512.vcvtss2usi32
x86_avx512_vcvtss2usi64, // llvm.x86.avx512.vcvtss2usi64
x86_avx512_vfmadd_f32, // llvm.x86.avx512.vfmadd.f32
x86_avx512_vfmadd_f64, // llvm.x86.avx512.vfmadd.f64
x86_avx512_vfmadd_pd_512, // llvm.x86.avx512.vfmadd.pd.512
x86_avx512_vfmadd_ps_512, // llvm.x86.avx512.vfmadd.ps.512
x86_avx512_vfmaddsub_pd_512, // llvm.x86.avx512.vfmaddsub.pd.512
x86_avx512_vfmaddsub_ps_512, // llvm.x86.avx512.vfmaddsub.ps.512
x86_avx512_vpdpbusd_128, // llvm.x86.avx512.vpdpbusd.128
x86_avx512_vpdpbusd_256, // llvm.x86.avx512.vpdpbusd.256
x86_avx512_vpdpbusd_512, // llvm.x86.avx512.vpdpbusd.512
x86_avx512_vpdpbusds_128, // llvm.x86.avx512.vpdpbusds.128
x86_avx512_vpdpbusds_256, // llvm.x86.avx512.vpdpbusds.256
x86_avx512_vpdpbusds_512, // llvm.x86.avx512.vpdpbusds.512
x86_avx512_vpdpwssd_128, // llvm.x86.avx512.vpdpwssd.128
x86_avx512_vpdpwssd_256, // llvm.x86.avx512.vpdpwssd.256
x86_avx512_vpdpwssd_512, // llvm.x86.avx512.vpdpwssd.512
x86_avx512_vpdpwssds_128, // llvm.x86.avx512.vpdpwssds.128
x86_avx512_vpdpwssds_256, // llvm.x86.avx512.vpdpwssds.256
x86_avx512_vpdpwssds_512, // llvm.x86.avx512.vpdpwssds.512
x86_avx512_vpermi2var_d_128, // llvm.x86.avx512.vpermi2var.d.128
x86_avx512_vpermi2var_d_256, // llvm.x86.avx512.vpermi2var.d.256
x86_avx512_vpermi2var_d_512, // llvm.x86.avx512.vpermi2var.d.512
x86_avx512_vpermi2var_hi_128, // llvm.x86.avx512.vpermi2var.hi.128
x86_avx512_vpermi2var_hi_256, // llvm.x86.avx512.vpermi2var.hi.256
x86_avx512_vpermi2var_hi_512, // llvm.x86.avx512.vpermi2var.hi.512
x86_avx512_vpermi2var_pd_128, // llvm.x86.avx512.vpermi2var.pd.128
x86_avx512_vpermi2var_pd_256, // llvm.x86.avx512.vpermi2var.pd.256
x86_avx512_vpermi2var_pd_512, // llvm.x86.avx512.vpermi2var.pd.512
x86_avx512_vpermi2var_ps_128, // llvm.x86.avx512.vpermi2var.ps.128
x86_avx512_vpermi2var_ps_256, // llvm.x86.avx512.vpermi2var.ps.256
x86_avx512_vpermi2var_ps_512, // llvm.x86.avx512.vpermi2var.ps.512
x86_avx512_vpermi2var_q_128, // llvm.x86.avx512.vpermi2var.q.128
x86_avx512_vpermi2var_q_256, // llvm.x86.avx512.vpermi2var.q.256
x86_avx512_vpermi2var_q_512, // llvm.x86.avx512.vpermi2var.q.512
x86_avx512_vpermi2var_qi_128, // llvm.x86.avx512.vpermi2var.qi.128
x86_avx512_vpermi2var_qi_256, // llvm.x86.avx512.vpermi2var.qi.256
x86_avx512_vpermi2var_qi_512, // llvm.x86.avx512.vpermi2var.qi.512
x86_avx512_vpermilvar_pd_512, // llvm.x86.avx512.vpermilvar.pd.512
x86_avx512_vpermilvar_ps_512, // llvm.x86.avx512.vpermilvar.ps.512
x86_avx512_vpmadd52h_uq_128, // llvm.x86.avx512.vpmadd52h.uq.128
x86_avx512_vpmadd52h_uq_256, // llvm.x86.avx512.vpmadd52h.uq.256
x86_avx512_vpmadd52h_uq_512, // llvm.x86.avx512.vpmadd52h.uq.512
x86_avx512_vpmadd52l_uq_128, // llvm.x86.avx512.vpmadd52l.uq.128
x86_avx512_vpmadd52l_uq_256, // llvm.x86.avx512.vpmadd52l.uq.256
x86_avx512_vpmadd52l_uq_512, // llvm.x86.avx512.vpmadd52l.uq.512
x86_avx512_vpshufbitqmb_128, // llvm.x86.avx512.vpshufbitqmb.128
x86_avx512_vpshufbitqmb_256, // llvm.x86.avx512.vpshufbitqmb.256
x86_avx512_vpshufbitqmb_512, // llvm.x86.avx512.vpshufbitqmb.512
x86_bmi_bextr_32, // llvm.x86.bmi.bextr.32
x86_bmi_bextr_64, // llvm.x86.bmi.bextr.64
x86_bmi_bzhi_32, // llvm.x86.bmi.bzhi.32
x86_bmi_bzhi_64, // llvm.x86.bmi.bzhi.64
x86_bmi_pdep_32, // llvm.x86.bmi.pdep.32
x86_bmi_pdep_64, // llvm.x86.bmi.pdep.64
x86_bmi_pext_32, // llvm.x86.bmi.pext.32
x86_bmi_pext_64, // llvm.x86.bmi.pext.64
x86_cldemote, // llvm.x86.cldemote
x86_clflushopt, // llvm.x86.clflushopt
x86_clrssbsy, // llvm.x86.clrssbsy
x86_clwb, // llvm.x86.clwb
x86_clzero, // llvm.x86.clzero
x86_directstore32, // llvm.x86.directstore32
x86_directstore64, // llvm.x86.directstore64
x86_flags_read_u32, // llvm.x86.flags.read.u32
x86_flags_read_u64, // llvm.x86.flags.read.u64
x86_flags_write_u32, // llvm.x86.flags.write.u32
x86_flags_write_u64, // llvm.x86.flags.write.u64
x86_fxrstor, // llvm.x86.fxrstor
x86_fxrstor64, // llvm.x86.fxrstor64
x86_fxsave, // llvm.x86.fxsave
x86_fxsave64, // llvm.x86.fxsave64
x86_incsspd, // llvm.x86.incsspd
x86_incsspq, // llvm.x86.incsspq
x86_int, // llvm.x86.int
x86_invpcid, // llvm.x86.invpcid
x86_llwpcb, // llvm.x86.llwpcb
x86_lwpins32, // llvm.x86.lwpins32
x86_lwpins64, // llvm.x86.lwpins64
x86_lwpval32, // llvm.x86.lwpval32
x86_lwpval64, // llvm.x86.lwpval64
x86_mmx_emms, // llvm.x86.mmx.emms
x86_mmx_femms, // llvm.x86.mmx.femms
x86_mmx_maskmovq, // llvm.x86.mmx.maskmovq
x86_mmx_movnt_dq, // llvm.x86.mmx.movnt.dq
x86_mmx_packssdw, // llvm.x86.mmx.packssdw
x86_mmx_packsswb, // llvm.x86.mmx.packsswb
x86_mmx_packuswb, // llvm.x86.mmx.packuswb
x86_mmx_padd_b, // llvm.x86.mmx.padd.b
x86_mmx_padd_d, // llvm.x86.mmx.padd.d
x86_mmx_padd_q, // llvm.x86.mmx.padd.q
x86_mmx_padd_w, // llvm.x86.mmx.padd.w
x86_mmx_padds_b, // llvm.x86.mmx.padds.b
x86_mmx_padds_w, // llvm.x86.mmx.padds.w
x86_mmx_paddus_b, // llvm.x86.mmx.paddus.b
x86_mmx_paddus_w, // llvm.x86.mmx.paddus.w
x86_mmx_palignr_b, // llvm.x86.mmx.palignr.b
x86_mmx_pand, // llvm.x86.mmx.pand
x86_mmx_pandn, // llvm.x86.mmx.pandn
x86_mmx_pavg_b, // llvm.x86.mmx.pavg.b
x86_mmx_pavg_w, // llvm.x86.mmx.pavg.w
x86_mmx_pcmpeq_b, // llvm.x86.mmx.pcmpeq.b
x86_mmx_pcmpeq_d, // llvm.x86.mmx.pcmpeq.d
x86_mmx_pcmpeq_w, // llvm.x86.mmx.pcmpeq.w
x86_mmx_pcmpgt_b, // llvm.x86.mmx.pcmpgt.b
x86_mmx_pcmpgt_d, // llvm.x86.mmx.pcmpgt.d
x86_mmx_pcmpgt_w, // llvm.x86.mmx.pcmpgt.w
x86_mmx_pextr_w, // llvm.x86.mmx.pextr.w
x86_mmx_pinsr_w, // llvm.x86.mmx.pinsr.w
x86_mmx_pmadd_wd, // llvm.x86.mmx.pmadd.wd
x86_mmx_pmaxs_w, // llvm.x86.mmx.pmaxs.w
x86_mmx_pmaxu_b, // llvm.x86.mmx.pmaxu.b
x86_mmx_pmins_w, // llvm.x86.mmx.pmins.w
x86_mmx_pminu_b, // llvm.x86.mmx.pminu.b
x86_mmx_pmovmskb, // llvm.x86.mmx.pmovmskb
x86_mmx_pmulh_w, // llvm.x86.mmx.pmulh.w
x86_mmx_pmulhu_w, // llvm.x86.mmx.pmulhu.w
x86_mmx_pmull_w, // llvm.x86.mmx.pmull.w
x86_mmx_pmulu_dq, // llvm.x86.mmx.pmulu.dq
x86_mmx_por, // llvm.x86.mmx.por
x86_mmx_psad_bw, // llvm.x86.mmx.psad.bw
x86_mmx_psll_d, // llvm.x86.mmx.psll.d
x86_mmx_psll_q, // llvm.x86.mmx.psll.q
x86_mmx_psll_w, // llvm.x86.mmx.psll.w
x86_mmx_pslli_d, // llvm.x86.mmx.pslli.d
x86_mmx_pslli_q, // llvm.x86.mmx.pslli.q
x86_mmx_pslli_w, // llvm.x86.mmx.pslli.w
x86_mmx_psra_d, // llvm.x86.mmx.psra.d
x86_mmx_psra_w, // llvm.x86.mmx.psra.w
x86_mmx_psrai_d, // llvm.x86.mmx.psrai.d
x86_mmx_psrai_w, // llvm.x86.mmx.psrai.w
x86_mmx_psrl_d, // llvm.x86.mmx.psrl.d
x86_mmx_psrl_q, // llvm.x86.mmx.psrl.q
x86_mmx_psrl_w, // llvm.x86.mmx.psrl.w
x86_mmx_psrli_d, // llvm.x86.mmx.psrli.d
x86_mmx_psrli_q, // llvm.x86.mmx.psrli.q
x86_mmx_psrli_w, // llvm.x86.mmx.psrli.w
x86_mmx_psub_b, // llvm.x86.mmx.psub.b
x86_mmx_psub_d, // llvm.x86.mmx.psub.d
x86_mmx_psub_q, // llvm.x86.mmx.psub.q
x86_mmx_psub_w, // llvm.x86.mmx.psub.w
x86_mmx_psubs_b, // llvm.x86.mmx.psubs.b
x86_mmx_psubs_w, // llvm.x86.mmx.psubs.w
x86_mmx_psubus_b, // llvm.x86.mmx.psubus.b
x86_mmx_psubus_w, // llvm.x86.mmx.psubus.w
x86_mmx_punpckhbw, // llvm.x86.mmx.punpckhbw
x86_mmx_punpckhdq, // llvm.x86.mmx.punpckhdq
x86_mmx_punpckhwd, // llvm.x86.mmx.punpckhwd
x86_mmx_punpcklbw, // llvm.x86.mmx.punpcklbw
x86_mmx_punpckldq, // llvm.x86.mmx.punpckldq
x86_mmx_punpcklwd, // llvm.x86.mmx.punpcklwd
x86_mmx_pxor, // llvm.x86.mmx.pxor
x86_monitorx, // llvm.x86.monitorx
x86_movdir64b, // llvm.x86.movdir64b
x86_mwaitx, // llvm.x86.mwaitx
x86_pclmulqdq, // llvm.x86.pclmulqdq
x86_pclmulqdq_256, // llvm.x86.pclmulqdq.256
x86_pclmulqdq_512, // llvm.x86.pclmulqdq.512
x86_ptwrite32, // llvm.x86.ptwrite32
x86_ptwrite64, // llvm.x86.ptwrite64
x86_rdfsbase_32, // llvm.x86.rdfsbase.32
x86_rdfsbase_64, // llvm.x86.rdfsbase.64
x86_rdgsbase_32, // llvm.x86.rdgsbase.32
x86_rdgsbase_64, // llvm.x86.rdgsbase.64
x86_rdpid, // llvm.x86.rdpid
x86_rdpkru, // llvm.x86.rdpkru
x86_rdpmc, // llvm.x86.rdpmc
x86_rdrand_16, // llvm.x86.rdrand.16
x86_rdrand_32, // llvm.x86.rdrand.32
x86_rdrand_64, // llvm.x86.rdrand.64
x86_rdseed_16, // llvm.x86.rdseed.16
x86_rdseed_32, // llvm.x86.rdseed.32
x86_rdseed_64, // llvm.x86.rdseed.64
x86_rdsspd, // llvm.x86.rdsspd
x86_rdsspq, // llvm.x86.rdsspq
x86_rdtsc, // llvm.x86.rdtsc
x86_rdtscp, // llvm.x86.rdtscp
x86_rstorssp, // llvm.x86.rstorssp
x86_saveprevssp, // llvm.x86.saveprevssp
x86_seh_ehguard, // llvm.x86.seh.ehguard
x86_seh_ehregnode, // llvm.x86.seh.ehregnode
x86_seh_lsda, // llvm.x86.seh.lsda
x86_setssbsy, // llvm.x86.setssbsy
x86_sha1msg1, // llvm.x86.sha1msg1
x86_sha1msg2, // llvm.x86.sha1msg2
x86_sha1nexte, // llvm.x86.sha1nexte
x86_sha1rnds4, // llvm.x86.sha1rnds4
x86_sha256msg1, // llvm.x86.sha256msg1
x86_sha256msg2, // llvm.x86.sha256msg2
x86_sha256rnds2, // llvm.x86.sha256rnds2
x86_slwpcb, // llvm.x86.slwpcb
x86_sse_cmp_ps, // llvm.x86.sse.cmp.ps
x86_sse_cmp_ss, // llvm.x86.sse.cmp.ss
x86_sse_comieq_ss, // llvm.x86.sse.comieq.ss
x86_sse_comige_ss, // llvm.x86.sse.comige.ss
x86_sse_comigt_ss, // llvm.x86.sse.comigt.ss
x86_sse_comile_ss, // llvm.x86.sse.comile.ss
x86_sse_comilt_ss, // llvm.x86.sse.comilt.ss
x86_sse_comineq_ss, // llvm.x86.sse.comineq.ss
x86_sse_cvtpd2pi, // llvm.x86.sse.cvtpd2pi
x86_sse_cvtpi2pd, // llvm.x86.sse.cvtpi2pd
x86_sse_cvtpi2ps, // llvm.x86.sse.cvtpi2ps
x86_sse_cvtps2pi, // llvm.x86.sse.cvtps2pi
x86_sse_cvtss2si, // llvm.x86.sse.cvtss2si
x86_sse_cvtss2si64, // llvm.x86.sse.cvtss2si64
x86_sse_cvttpd2pi, // llvm.x86.sse.cvttpd2pi
x86_sse_cvttps2pi, // llvm.x86.sse.cvttps2pi
x86_sse_cvttss2si, // llvm.x86.sse.cvttss2si
x86_sse_cvttss2si64, // llvm.x86.sse.cvttss2si64
x86_sse_ldmxcsr, // llvm.x86.sse.ldmxcsr
x86_sse_max_ps, // llvm.x86.sse.max.ps
x86_sse_max_ss, // llvm.x86.sse.max.ss
x86_sse_min_ps, // llvm.x86.sse.min.ps
x86_sse_min_ss, // llvm.x86.sse.min.ss
x86_sse_movmsk_ps, // llvm.x86.sse.movmsk.ps
x86_sse_pshuf_w, // llvm.x86.sse.pshuf.w
x86_sse_rcp_ps, // llvm.x86.sse.rcp.ps
x86_sse_rcp_ss, // llvm.x86.sse.rcp.ss
x86_sse_rsqrt_ps, // llvm.x86.sse.rsqrt.ps
x86_sse_rsqrt_ss, // llvm.x86.sse.rsqrt.ss
x86_sse_sfence, // llvm.x86.sse.sfence
x86_sse_stmxcsr, // llvm.x86.sse.stmxcsr
x86_sse_ucomieq_ss, // llvm.x86.sse.ucomieq.ss
x86_sse_ucomige_ss, // llvm.x86.sse.ucomige.ss
x86_sse_ucomigt_ss, // llvm.x86.sse.ucomigt.ss
x86_sse_ucomile_ss, // llvm.x86.sse.ucomile.ss
x86_sse_ucomilt_ss, // llvm.x86.sse.ucomilt.ss
x86_sse_ucomineq_ss, // llvm.x86.sse.ucomineq.ss
x86_sse2_clflush, // llvm.x86.sse2.clflush
x86_sse2_cmp_pd, // llvm.x86.sse2.cmp.pd
x86_sse2_cmp_sd, // llvm.x86.sse2.cmp.sd
x86_sse2_comieq_sd, // llvm.x86.sse2.comieq.sd
x86_sse2_comige_sd, // llvm.x86.sse2.comige.sd
x86_sse2_comigt_sd, // llvm.x86.sse2.comigt.sd
x86_sse2_comile_sd, // llvm.x86.sse2.comile.sd
x86_sse2_comilt_sd, // llvm.x86.sse2.comilt.sd
x86_sse2_comineq_sd, // llvm.x86.sse2.comineq.sd
x86_sse2_cvtpd2dq, // llvm.x86.sse2.cvtpd2dq
x86_sse2_cvtpd2ps, // llvm.x86.sse2.cvtpd2ps
x86_sse2_cvtps2dq, // llvm.x86.sse2.cvtps2dq
x86_sse2_cvtsd2si, // llvm.x86.sse2.cvtsd2si
x86_sse2_cvtsd2si64, // llvm.x86.sse2.cvtsd2si64
x86_sse2_cvtsd2ss, // llvm.x86.sse2.cvtsd2ss
x86_sse2_cvttpd2dq, // llvm.x86.sse2.cvttpd2dq
x86_sse2_cvttps2dq, // llvm.x86.sse2.cvttps2dq
x86_sse2_cvttsd2si, // llvm.x86.sse2.cvttsd2si
x86_sse2_cvttsd2si64, // llvm.x86.sse2.cvttsd2si64
x86_sse2_lfence, // llvm.x86.sse2.lfence
x86_sse2_maskmov_dqu, // llvm.x86.sse2.maskmov.dqu
x86_sse2_max_pd, // llvm.x86.sse2.max.pd
x86_sse2_max_sd, // llvm.x86.sse2.max.sd
x86_sse2_mfence, // llvm.x86.sse2.mfence
x86_sse2_min_pd, // llvm.x86.sse2.min.pd
x86_sse2_min_sd, // llvm.x86.sse2.min.sd
x86_sse2_movmsk_pd, // llvm.x86.sse2.movmsk.pd
x86_sse2_packssdw_128, // llvm.x86.sse2.packssdw.128
x86_sse2_packsswb_128, // llvm.x86.sse2.packsswb.128
x86_sse2_packuswb_128, // llvm.x86.sse2.packuswb.128
x86_sse2_pause, // llvm.x86.sse2.pause
x86_sse2_pmadd_wd, // llvm.x86.sse2.pmadd.wd
x86_sse2_pmovmskb_128, // llvm.x86.sse2.pmovmskb.128
x86_sse2_pmulh_w, // llvm.x86.sse2.pmulh.w
x86_sse2_pmulhu_w, // llvm.x86.sse2.pmulhu.w
x86_sse2_psad_bw, // llvm.x86.sse2.psad.bw
x86_sse2_psll_d, // llvm.x86.sse2.psll.d
x86_sse2_psll_q, // llvm.x86.sse2.psll.q
x86_sse2_psll_w, // llvm.x86.sse2.psll.w
x86_sse2_pslli_d, // llvm.x86.sse2.pslli.d
x86_sse2_pslli_q, // llvm.x86.sse2.pslli.q
x86_sse2_pslli_w, // llvm.x86.sse2.pslli.w
x86_sse2_psra_d, // llvm.x86.sse2.psra.d
x86_sse2_psra_w, // llvm.x86.sse2.psra.w
x86_sse2_psrai_d, // llvm.x86.sse2.psrai.d
x86_sse2_psrai_w, // llvm.x86.sse2.psrai.w
x86_sse2_psrl_d, // llvm.x86.sse2.psrl.d
x86_sse2_psrl_q, // llvm.x86.sse2.psrl.q
x86_sse2_psrl_w, // llvm.x86.sse2.psrl.w
x86_sse2_psrli_d, // llvm.x86.sse2.psrli.d
x86_sse2_psrli_q, // llvm.x86.sse2.psrli.q
x86_sse2_psrli_w, // llvm.x86.sse2.psrli.w
x86_sse2_ucomieq_sd, // llvm.x86.sse2.ucomieq.sd
x86_sse2_ucomige_sd, // llvm.x86.sse2.ucomige.sd
x86_sse2_ucomigt_sd, // llvm.x86.sse2.ucomigt.sd
x86_sse2_ucomile_sd, // llvm.x86.sse2.ucomile.sd
x86_sse2_ucomilt_sd, // llvm.x86.sse2.ucomilt.sd
x86_sse2_ucomineq_sd, // llvm.x86.sse2.ucomineq.sd
x86_sse3_addsub_pd, // llvm.x86.sse3.addsub.pd
x86_sse3_addsub_ps, // llvm.x86.sse3.addsub.ps
x86_sse3_hadd_pd, // llvm.x86.sse3.hadd.pd
x86_sse3_hadd_ps, // llvm.x86.sse3.hadd.ps
x86_sse3_hsub_pd, // llvm.x86.sse3.hsub.pd
x86_sse3_hsub_ps, // llvm.x86.sse3.hsub.ps
x86_sse3_ldu_dq, // llvm.x86.sse3.ldu.dq
x86_sse3_monitor, // llvm.x86.sse3.monitor
x86_sse3_mwait, // llvm.x86.sse3.mwait
x86_sse41_blendvpd, // llvm.x86.sse41.blendvpd
x86_sse41_blendvps, // llvm.x86.sse41.blendvps
x86_sse41_dppd, // llvm.x86.sse41.dppd
x86_sse41_dpps, // llvm.x86.sse41.dpps
x86_sse41_insertps, // llvm.x86.sse41.insertps
x86_sse41_mpsadbw, // llvm.x86.sse41.mpsadbw
x86_sse41_packusdw, // llvm.x86.sse41.packusdw
x86_sse41_pblendvb, // llvm.x86.sse41.pblendvb
x86_sse41_phminposuw, // llvm.x86.sse41.phminposuw
x86_sse41_ptestc, // llvm.x86.sse41.ptestc
x86_sse41_ptestnzc, // llvm.x86.sse41.ptestnzc
x86_sse41_ptestz, // llvm.x86.sse41.ptestz
x86_sse41_round_pd, // llvm.x86.sse41.round.pd
x86_sse41_round_ps, // llvm.x86.sse41.round.ps
x86_sse41_round_sd, // llvm.x86.sse41.round.sd
x86_sse41_round_ss, // llvm.x86.sse41.round.ss
x86_sse42_crc32_32_16, // llvm.x86.sse42.crc32.32.16
x86_sse42_crc32_32_32, // llvm.x86.sse42.crc32.32.32
x86_sse42_crc32_32_8, // llvm.x86.sse42.crc32.32.8
x86_sse42_crc32_64_64, // llvm.x86.sse42.crc32.64.64
x86_sse42_pcmpestri128, // llvm.x86.sse42.pcmpestri128
x86_sse42_pcmpestria128, // llvm.x86.sse42.pcmpestria128
x86_sse42_pcmpestric128, // llvm.x86.sse42.pcmpestric128
x86_sse42_pcmpestrio128, // llvm.x86.sse42.pcmpestrio128
x86_sse42_pcmpestris128, // llvm.x86.sse42.pcmpestris128
x86_sse42_pcmpestriz128, // llvm.x86.sse42.pcmpestriz128
x86_sse42_pcmpestrm128, // llvm.x86.sse42.pcmpestrm128
x86_sse42_pcmpistri128, // llvm.x86.sse42.pcmpistri128
x86_sse42_pcmpistria128, // llvm.x86.sse42.pcmpistria128
x86_sse42_pcmpistric128, // llvm.x86.sse42.pcmpistric128
x86_sse42_pcmpistrio128, // llvm.x86.sse42.pcmpistrio128
x86_sse42_pcmpistris128, // llvm.x86.sse42.pcmpistris128
x86_sse42_pcmpistriz128, // llvm.x86.sse42.pcmpistriz128
x86_sse42_pcmpistrm128, // llvm.x86.sse42.pcmpistrm128
x86_sse4a_extrq, // llvm.x86.sse4a.extrq
x86_sse4a_extrqi, // llvm.x86.sse4a.extrqi
x86_sse4a_insertq, // llvm.x86.sse4a.insertq
x86_sse4a_insertqi, // llvm.x86.sse4a.insertqi
x86_ssse3_pabs_b, // llvm.x86.ssse3.pabs.b
x86_ssse3_pabs_d, // llvm.x86.ssse3.pabs.d
x86_ssse3_pabs_w, // llvm.x86.ssse3.pabs.w
x86_ssse3_phadd_d, // llvm.x86.ssse3.phadd.d
x86_ssse3_phadd_d_128, // llvm.x86.ssse3.phadd.d.128
x86_ssse3_phadd_sw, // llvm.x86.ssse3.phadd.sw
x86_ssse3_phadd_sw_128, // llvm.x86.ssse3.phadd.sw.128
x86_ssse3_phadd_w, // llvm.x86.ssse3.phadd.w
x86_ssse3_phadd_w_128, // llvm.x86.ssse3.phadd.w.128
x86_ssse3_phsub_d, // llvm.x86.ssse3.phsub.d
x86_ssse3_phsub_d_128, // llvm.x86.ssse3.phsub.d.128
x86_ssse3_phsub_sw, // llvm.x86.ssse3.phsub.sw
x86_ssse3_phsub_sw_128, // llvm.x86.ssse3.phsub.sw.128
x86_ssse3_phsub_w, // llvm.x86.ssse3.phsub.w
x86_ssse3_phsub_w_128, // llvm.x86.ssse3.phsub.w.128
x86_ssse3_pmadd_ub_sw, // llvm.x86.ssse3.pmadd.ub.sw
x86_ssse3_pmadd_ub_sw_128, // llvm.x86.ssse3.pmadd.ub.sw.128
x86_ssse3_pmul_hr_sw, // llvm.x86.ssse3.pmul.hr.sw
x86_ssse3_pmul_hr_sw_128, // llvm.x86.ssse3.pmul.hr.sw.128
x86_ssse3_pshuf_b, // llvm.x86.ssse3.pshuf.b
x86_ssse3_pshuf_b_128, // llvm.x86.ssse3.pshuf.b.128
x86_ssse3_psign_b, // llvm.x86.ssse3.psign.b
x86_ssse3_psign_b_128, // llvm.x86.ssse3.psign.b.128
x86_ssse3_psign_d, // llvm.x86.ssse3.psign.d
x86_ssse3_psign_d_128, // llvm.x86.ssse3.psign.d.128
x86_ssse3_psign_w, // llvm.x86.ssse3.psign.w
x86_ssse3_psign_w_128, // llvm.x86.ssse3.psign.w.128
x86_subborrow_32, // llvm.x86.subborrow.32
x86_subborrow_64, // llvm.x86.subborrow.64
x86_tbm_bextri_u32, // llvm.x86.tbm.bextri.u32
x86_tbm_bextri_u64, // llvm.x86.tbm.bextri.u64
x86_tpause, // llvm.x86.tpause
x86_umonitor, // llvm.x86.umonitor
x86_umwait, // llvm.x86.umwait
x86_vcvtph2ps_128, // llvm.x86.vcvtph2ps.128
x86_vcvtph2ps_256, // llvm.x86.vcvtph2ps.256
x86_vcvtps2ph_128, // llvm.x86.vcvtps2ph.128
x86_vcvtps2ph_256, // llvm.x86.vcvtps2ph.256
x86_vgf2p8affineinvqb_128, // llvm.x86.vgf2p8affineinvqb.128
x86_vgf2p8affineinvqb_256, // llvm.x86.vgf2p8affineinvqb.256
x86_vgf2p8affineinvqb_512, // llvm.x86.vgf2p8affineinvqb.512
x86_vgf2p8affineqb_128, // llvm.x86.vgf2p8affineqb.128
x86_vgf2p8affineqb_256, // llvm.x86.vgf2p8affineqb.256
x86_vgf2p8affineqb_512, // llvm.x86.vgf2p8affineqb.512
x86_vgf2p8mulb_128, // llvm.x86.vgf2p8mulb.128
x86_vgf2p8mulb_256, // llvm.x86.vgf2p8mulb.256
x86_vgf2p8mulb_512, // llvm.x86.vgf2p8mulb.512
x86_wbinvd, // llvm.x86.wbinvd
x86_wbnoinvd, // llvm.x86.wbnoinvd
x86_wrfsbase_32, // llvm.x86.wrfsbase.32
x86_wrfsbase_64, // llvm.x86.wrfsbase.64
x86_wrgsbase_32, // llvm.x86.wrgsbase.32
x86_wrgsbase_64, // llvm.x86.wrgsbase.64
x86_wrpkru, // llvm.x86.wrpkru
x86_wrssd, // llvm.x86.wrssd
x86_wrssq, // llvm.x86.wrssq
x86_wrussd, // llvm.x86.wrussd
x86_wrussq, // llvm.x86.wrussq
x86_xabort, // llvm.x86.xabort
x86_xbegin, // llvm.x86.xbegin
x86_xend, // llvm.x86.xend
x86_xgetbv, // llvm.x86.xgetbv
x86_xop_vfrcz_pd, // llvm.x86.xop.vfrcz.pd
x86_xop_vfrcz_pd_256, // llvm.x86.xop.vfrcz.pd.256
x86_xop_vfrcz_ps, // llvm.x86.xop.vfrcz.ps
x86_xop_vfrcz_ps_256, // llvm.x86.xop.vfrcz.ps.256
x86_xop_vfrcz_sd, // llvm.x86.xop.vfrcz.sd
x86_xop_vfrcz_ss, // llvm.x86.xop.vfrcz.ss
x86_xop_vpermil2pd, // llvm.x86.xop.vpermil2pd
x86_xop_vpermil2pd_256, // llvm.x86.xop.vpermil2pd.256
x86_xop_vpermil2ps, // llvm.x86.xop.vpermil2ps
x86_xop_vpermil2ps_256, // llvm.x86.xop.vpermil2ps.256
x86_xop_vphaddbd, // llvm.x86.xop.vphaddbd
x86_xop_vphaddbq, // llvm.x86.xop.vphaddbq
x86_xop_vphaddbw, // llvm.x86.xop.vphaddbw
x86_xop_vphadddq, // llvm.x86.xop.vphadddq
x86_xop_vphaddubd, // llvm.x86.xop.vphaddubd
x86_xop_vphaddubq, // llvm.x86.xop.vphaddubq
x86_xop_vphaddubw, // llvm.x86.xop.vphaddubw
x86_xop_vphaddudq, // llvm.x86.xop.vphaddudq
x86_xop_vphadduwd, // llvm.x86.xop.vphadduwd
x86_xop_vphadduwq, // llvm.x86.xop.vphadduwq
x86_xop_vphaddwd, // llvm.x86.xop.vphaddwd
x86_xop_vphaddwq, // llvm.x86.xop.vphaddwq
x86_xop_vphsubbw, // llvm.x86.xop.vphsubbw
x86_xop_vphsubdq, // llvm.x86.xop.vphsubdq
x86_xop_vphsubwd, // llvm.x86.xop.vphsubwd
x86_xop_vpmacsdd, // llvm.x86.xop.vpmacsdd
x86_xop_vpmacsdqh, // llvm.x86.xop.vpmacsdqh
x86_xop_vpmacsdql, // llvm.x86.xop.vpmacsdql
x86_xop_vpmacssdd, // llvm.x86.xop.vpmacssdd
x86_xop_vpmacssdqh, // llvm.x86.xop.vpmacssdqh
x86_xop_vpmacssdql, // llvm.x86.xop.vpmacssdql
x86_xop_vpmacsswd, // llvm.x86.xop.vpmacsswd
x86_xop_vpmacssww, // llvm.x86.xop.vpmacssww
x86_xop_vpmacswd, // llvm.x86.xop.vpmacswd
x86_xop_vpmacsww, // llvm.x86.xop.vpmacsww
x86_xop_vpmadcsswd, // llvm.x86.xop.vpmadcsswd
x86_xop_vpmadcswd, // llvm.x86.xop.vpmadcswd
x86_xop_vpperm, // llvm.x86.xop.vpperm
x86_xop_vpshab, // llvm.x86.xop.vpshab
x86_xop_vpshad, // llvm.x86.xop.vpshad
x86_xop_vpshaq, // llvm.x86.xop.vpshaq
x86_xop_vpshaw, // llvm.x86.xop.vpshaw
x86_xop_vpshlb, // llvm.x86.xop.vpshlb
x86_xop_vpshld, // llvm.x86.xop.vpshld
x86_xop_vpshlq, // llvm.x86.xop.vpshlq
x86_xop_vpshlw, // llvm.x86.xop.vpshlw
x86_xrstor, // llvm.x86.xrstor
x86_xrstor64, // llvm.x86.xrstor64
x86_xrstors, // llvm.x86.xrstors
x86_xrstors64, // llvm.x86.xrstors64
x86_xsave, // llvm.x86.xsave
x86_xsave64, // llvm.x86.xsave64
x86_xsavec, // llvm.x86.xsavec
x86_xsavec64, // llvm.x86.xsavec64
x86_xsaveopt, // llvm.x86.xsaveopt
x86_xsaveopt64, // llvm.x86.xsaveopt64
x86_xsaves, // llvm.x86.xsaves
x86_xsaves64, // llvm.x86.xsaves64
x86_xsetbv, // llvm.x86.xsetbv
x86_xtest, // llvm.x86.xtest
xcore_bitrev, // llvm.xcore.bitrev
xcore_checkevent, // llvm.xcore.checkevent
xcore_chkct, // llvm.xcore.chkct
xcore_clre, // llvm.xcore.clre
xcore_clrpt, // llvm.xcore.clrpt
xcore_clrsr, // llvm.xcore.clrsr
xcore_crc32, // llvm.xcore.crc32
xcore_crc8, // llvm.xcore.crc8
xcore_edu, // llvm.xcore.edu
xcore_eeu, // llvm.xcore.eeu
xcore_endin, // llvm.xcore.endin
xcore_freer, // llvm.xcore.freer
xcore_geted, // llvm.xcore.geted
xcore_getet, // llvm.xcore.getet
xcore_getid, // llvm.xcore.getid
xcore_getps, // llvm.xcore.getps
xcore_getr, // llvm.xcore.getr
xcore_getst, // llvm.xcore.getst
xcore_getts, // llvm.xcore.getts
xcore_in, // llvm.xcore.in
xcore_inct, // llvm.xcore.inct
xcore_initcp, // llvm.xcore.initcp
xcore_initdp, // llvm.xcore.initdp
xcore_initlr, // llvm.xcore.initlr
xcore_initpc, // llvm.xcore.initpc
xcore_initsp, // llvm.xcore.initsp
xcore_inshr, // llvm.xcore.inshr
xcore_int, // llvm.xcore.int
xcore_mjoin, // llvm.xcore.mjoin
xcore_msync, // llvm.xcore.msync
xcore_out, // llvm.xcore.out
xcore_outct, // llvm.xcore.outct
xcore_outshr, // llvm.xcore.outshr
xcore_outt, // llvm.xcore.outt
xcore_peek, // llvm.xcore.peek
xcore_setc, // llvm.xcore.setc
xcore_setclk, // llvm.xcore.setclk
xcore_setd, // llvm.xcore.setd
xcore_setev, // llvm.xcore.setev
xcore_setps, // llvm.xcore.setps
xcore_setpsc, // llvm.xcore.setpsc
xcore_setpt, // llvm.xcore.setpt
xcore_setrdy, // llvm.xcore.setrdy
xcore_setsr, // llvm.xcore.setsr
xcore_settw, // llvm.xcore.settw
xcore_setv, // llvm.xcore.setv
xcore_sext, // llvm.xcore.sext
xcore_ssync, // llvm.xcore.ssync
xcore_syncr, // llvm.xcore.syncr
xcore_testct, // llvm.xcore.testct
xcore_testwct, // llvm.xcore.testwct
xcore_waitevent, // llvm.xcore.waitevent
xcore_zext // llvm.xcore.zext
#endif
#if defined(_MSC_VER) && defined(setjmp_undefined_for_msvc)
// let's return it to _setjmp state
# pragma pop_macro("setjmp")
# undef setjmp_undefined_for_msvc
#endif
| [
"yikong@google.com"
] | yikong@google.com |
a7e36cca3e87314f4cf3e84ad3f84a7d0d48dcad | 7041d863026248d007963cb0fcdd6c505f6eb0d1 | /storage3/w-osbyterev.cc | 364d381cb895ba29e1397f0bfd8bb7a8602b2ed8 | [] | no_license | Firebird1029/cs61-lectures | 8d64a4fd1490e38b651c3cb061e95acac54ef4b0 | 59923921a5243af491c204f0ed8bfaaa3b9790d4 | refs/heads/main | 2023-01-19T00:54:00.615636 | 2020-12-03T14:22:04 | 2020-12-03T14:22:04 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 901 | cc | #include "iobench.hh"
bool quiet = false;
double start_tstamp;
int main(int argc, char* argv[]) {
int fd = STDOUT_FILENO;
if (isatty(fd)) {
fd = open(DATAFILE, O_WRONLY | O_CREAT | O_TRUNC, 0666);
}
if (fd < 0) {
perror("open");
exit(1);
}
size_t size = 5120000;
size_t nwrite = size;
parse_arguments(argc, argv, &nwrite, nullptr);
const char* buf = "6";
start_tstamp = tstamp();
size_t pos = size;
size_t n = 0;
while (n < nwrite) {
pos -= 1;
if (lseek(fd, pos, SEEK_SET) == (off_t) -1) {
perror("lseek");
exit(1);
}
ssize_t r = write(fd, buf, 1);
if (r != 1) {
perror("write");
exit(1);
}
n += r;
if (n % PRINT_FREQUENCY == 0) {
report(n);
}
}
close(fd);
report(n, true);
}
| [
"ekohler@gmail.com"
] | ekohler@gmail.com |
005e8e5fe4c90bbeb1e5e614daa5fbcb9e7e6d1a | 7493c3b3ea1e2aafad0dfdc7525f16dbc8383c9e | /SDL2/SDL2Engine/SDL2Engine/Macro.h | bdbd613640a1cb3b69ae06694062855b468d1d37 | [
"MIT"
] | permissive | functard/INK.-A-SDL-2-GAME | 9fe6f4ea97fc25869aa6a8f8312a7d4f3b02a428 | 2b65706c65ba38fa909c8b7726863f3c4e835748 | refs/heads/master | 2021-08-08T09:54:46.980516 | 2021-05-29T23:40:39 | 2021-05-29T23:40:39 | 251,108,969 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 574 | h | #pragma once
#pragma region system include
#include <iostream>
#pragma endregion
#pragma region value macro
#define SCREEN_WIDTH 1280
#define SCREEN_HEIGHT 720
#define COLLISION_CHECK_TIME 0.01f
#define COLLISION_RANGE 1024.0f
#pragma endregion
#pragma region function macro
#define LOG(TEXT) \
std::cout << TEXT << std::endl;
#define LOG_ERROR(ERROR, ID) \
std::cout << ERROR << std::endl; \
return ID;
#define LOG_SDL_ERROR(CHECK, ID) \
if(CHECK) \
{ \
std::cout << SDL_GetError() << std::endl; \
return ID; \
}
#pragma endregion | [
"mregeyetimalar@gmail.com"
] | mregeyetimalar@gmail.com |
7a3ac571853d67911b5ece5340ac87dbd0200d36 | d22e7a298458cf2bb7fc050b59fd585cd1f7e0c4 | /source/BuilderElements/Containers/ElementsContainer.cpp | 9956c866e8963aa9c684144b2cd918bebc50e8f8 | [
"MIT",
"CC-BY-4.0"
] | permissive | egorpushkin/neurolab | 9cad44104dcfe199aa63dd6fd9669c063e29d5e8 | 08daa763f13982d2214bbc9cd9060a0709542d7e | refs/heads/master | 2021-05-04T18:49:01.131630 | 2017-10-19T21:52:40 | 2017-10-19T21:52:40 | 106,142,310 | 2 | 0 | null | 2017-10-09T03:21:07 | 2017-10-08T01:34:09 | null | UTF-8 | C++ | false | false | 1,072 | cpp | #include "StdAfx.h"
#include ".\elementscontainer.h"
#include "interface_idds.h"
CElementsContainer::CElementsContainer(void)
{
}
CElementsContainer::~CElementsContainer(void)
{
ReleaseElements();
}
// Initialization functions
void CElementsContainer::SetTitle(CString& Title)
{
csTitle = Title;
}
void CElementsContainer::AddElement(sElement* pElement)
{
mElementsList.AddTail(pElement);
}
CString CElementsContainer::GetTitle()
{
return csTitle;
}
// IElementsContainer implementations section
void CElementsContainer::ReleaseElements()
{
for (;mElementsList.GetCount() > 0;)
{
sElement* pElement = mElementsList.GetHead();
mElementsList.RemoveHead();
delete pElement;
}
}
// IObject implementations section
CString CElementsContainer::GetClassString()
{
return _T("CElementsContainer");
}
void CElementsContainer::QueryInterface(int iIDD, void** ppvObject)
{
*ppvObject = NULL;
switch (iIDD)
{
case IDD_IElementsContainer:
*ppvObject = (IElementsContainer*)this;
break;
}
}
| [
"egor.pushkin@gmail.com"
] | egor.pushkin@gmail.com |
9303a1eb7c80b0fa2af78db28527b09ed2069815 | 73346eece848c03a1103a4e5af0f31c6aa1c6142 | /tools/nn_search/test/test.cpp | 5c80214882e10864f19ac391d06cf6c6a618372b | [] | no_license | daikankan/neural-network | e1b94f1090d187afba45c98b83c9c32b0a2d5cb0 | dcd016603b26e4be6a4742b37eaa7b9e2d3f1828 | refs/heads/master | 2018-12-27T10:32:58.766802 | 2018-10-24T03:47:09 | 2018-10-24T03:47:09 | 105,332,112 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 447 | cpp | #include <iostream>
#include "../top_k.hpp"
using namespace std;
int main() {
TopK topk(1000000, 512, "/home/dkk/projects/annoy-sdk/megaface.dat");
float* query = new float[512];
for (int i = 0; i < 512; ++i) {
query[i] = 0.5;
}
int* indices = new int[50];
topk.get_top_k(query, 50, indices);
for (int i = 0; i < 50; ++i) {
cout << indices[i] << " ";
}
cout << endl;
delete[] query;
delete[] indices;
return 0;
}
| [
"daikank@163.com"
] | daikank@163.com |
3e7a95a9427947ce7a9b57fb5a14d97e888ca6a3 | 5e35f1069a9d29fe34caa275e390459338d63d02 | /Qt_GUI/mydatabase.cpp | fdbe3c1d4afd00fdae2ce0d971f74f744d6e1508 | [] | no_license | ShidongS/EC504_Twitter | 0eb6caad0ffe7b8d8921fc733e18871509aa7c90 | ce14ac8276094bcc24c6d0a822693ac04b9916e9 | refs/heads/master | 2020-09-22T12:22:42.620444 | 2019-12-13T20:14:40 | 2019-12-13T20:14:40 | 225,192,068 | 0 | 1 | null | 2019-12-05T03:05:33 | 2019-12-01T16:25:49 | C++ | UTF-8 | C++ | false | false | 1,444 | cpp | #include "mydatabase.h"
void myDatabase::printAll(){
for(unordered_map<string, vector<WordNode> >::iterator it = Database.begin(); it != Database.end();it++){
cout<<it->first<<endl;
for(int i = 0; i < it->second.size();i++){
cout<<it->second[i].SentNo<<" "<<it->second[i].count<<endl;
}
}
}
myDatabase::myDatabase()
{
}
void myDatabase::setUpDatabase(string word, int i){
unordered_map<string, vector<WordNode> >::iterator it;
it = Database.find(word);
if(it==Database.end()){
WordNode newNode = WordNode();
vector<WordNode> newVec;
newNode.SentNo = i;
newNode.count = 1;
newVec.push_back(newNode);
Database.insert(std::make_pair(word, newVec));
}
else{
if(it->second[it->second.size()-1].SentNo==i){
it->second[it->second.size()-1].count++;
}
else{
WordNode newNode = WordNode();
newNode.SentNo = i;
newNode.count = 1;
it->second.push_back(newNode);
}
}
}
void myDatabase::searchWord(string word, vector<SentNode> &SentArr){
unordered_map<string, vector<WordNode> >::iterator it;
it = Database.find(word);
if(it==Database.end()) return;
for(int i = 0; i < it->second.size();i++){
SentArr[it->second[i].SentNo].count += it->second[i].count;
}
}
| [
"noreply@github.com"
] | noreply@github.com |
aa4e4243d0eea1ca5f19b1d18124ad95eaa14131 | c51febc209233a9160f41913d895415704d2391f | /library/ATF/HTMLLabelEvents2.hpp | 3390b04c1ca251470a8ccbbac8140cc6f25c1099 | [
"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 | 269 | 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>
#include <IDispatch.hpp>
START_ATF_NAMESPACE
struct HTMLLabelEvents2 : IDispatch
{
};
END_ATF_NAMESPACE
| [
"b1ll.cipher@yandex.ru"
] | b1ll.cipher@yandex.ru |
956507c0b3ef959472b0cb89cfe0311c199b2af7 | 183e89cea8eb9d124b9637a310d0af407b63416b | /MenuKlient.h | c65c8cf0813103ee1402e9dd1b969bbd7672d266 | [] | no_license | Mehip/Florist | 690596aa84c5507a071866b003fd3c88077538c0 | 766b930a174e82d6aba72ae0b0fdd60e06f263c1 | refs/heads/master | 2021-07-06T16:23:40.726711 | 2020-08-21T16:17:56 | 2020-08-21T16:17:56 | 167,607,749 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 193 | h | #pragma once
#include "stdafx.h"
#include <iostream>
#include <string>
#include "Menu.h"
#include "Osoba.h"
using namespace std;
class MenuKlient :public Menu
{
public:
int menu(Osoba);
}; | [
"mparapura98@gmail.com"
] | mparapura98@gmail.com |
5f76e54e127ba25e5f07bb30b3ff49c52ccd56fa | 83c5f25b0305a0a5aac1b9ff02c88fd12f3da48a | /chrome/browser/flag_descriptions.cc | d0f78506f2ff0b0f97fe43ec194bf84207855601 | [
"BSD-3-Clause"
] | permissive | chrispruitt/chromium | 336fb90a309d2fac6b1481b90da436399ef495fd | 7821d487a06f85d99d748e5320295b9f85fc1440 | refs/heads/master | 2023-03-05T21:51:42.276565 | 2019-11-21T18:37:23 | 2019-11-21T18:37:23 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 191,477 | cc | // Copyright 2017 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "chrome/browser/flag_descriptions.h"
// Keep in identical order as the header file, see the comment at the top
// for formatting rules.
namespace flag_descriptions {
const char kAccelerated2dCanvasName[] = "Accelerated 2D canvas";
const char kAccelerated2dCanvasDescription[] =
"Enables the use of the GPU to perform 2d canvas rendering instead of "
"using software rendering.";
const char kAcceleratedVideoDecodeName[] = "Hardware-accelerated video decode";
const char kAcceleratedVideoDecodeDescription[] =
"Hardware-accelerated video decode where available.";
const char kAcceleratedVideoEncodeName[] = "Hardware-accelerated video encode";
const char kAcceleratedVideoEncodeDescription[] =
"Hardware-accelerated video encode where available.";
const char kAccessibilityExposeARIAAnnotationsName[] =
"Expose ARIA Annotation roles";
const char kAccessibilityExposeARIAAnnotationsDescription[] =
"Expose annotation- prefixed roles from ARIA Annotations draft "
"specification at https://w3c.github.io/annotation-aria/.";
const char kAccessibilityExposeDisplayNoneName[] =
"Expose 'display: none' nodes for accessibility";
const char kAccessibilityExposeDisplayNoneDescription[] =
"Expose 'display: none' nodes that have an HTML ID to the browser process "
"accessibility tree.";
const char kAccessibilityInternalsPageImprovementsName[] =
"Accessibility internals page improvements";
const char kAccessibilityInternalsPageImprovementsDescription[] =
"Improvements to the chrome://accessibility page.";
const char kAllowInsecureLocalhostName[] =
"Allow invalid certificates for resources loaded from localhost.";
const char kAllowInsecureLocalhostDescription[] =
"Allows requests to localhost over HTTPS even when an invalid certificate "
"is presented.";
const char kAllowPopupsDuringPageUnloadName[] =
"Allows a page to show popups during its unloading";
const char kAllowPopupsDuringPageUnloadDescription[] =
"When the flag is set to enabled, pages are allowed to show popups while "
"they are being unloaded.";
const char kAllowSignedHTTPExchangeCertsWithoutExtensionName[] =
"Allow Signed HTTP Exchange certificates without extension";
const char kAllowSignedHTTPExchangeCertsWithoutExtensionDescription[] =
"Accepts Origin-Signed HTTP Exchanges to be signed with certificates "
"that do not have CanSignHttpExchangesDraft extension. Warning: Enabling "
"this may pose a security risk.";
const char kAllowSyncXHRInPageDismissalName[] =
"Allows synchronous XHR requests in page dismissal";
const char kAllowSyncXHRInPageDismissalDescription[] =
"Allows synchronous XHR requests during page dismissal when the page is "
"being navigated away or closed by the user.";
const char kEnableClipboardProviderTextSuggestionsName[] =
"Omnibox clipboard text search suggestions";
const char kEnableClipboardProviderTextSuggestionsDescription[] =
"Enables search suggestions in omnibox";
const char kEnableFtpName[] = "Enable support for FTP URLs";
const char kEnableFtpDescription[] =
"When enabled, the browser will handle navigations to ftp:// URLs by "
"either showing a directory listing or downloading the resource over FTP. "
"When disabled, the browser has no special handling for ftp:// URLs and "
"by default defer handling of the URL to the underlying platform.";
const char kEnableSignedExchangeSubresourcePrefetchName[] =
"Enable Signed Exchange subresource prefetching";
const char kEnableSignedExchangeSubresourcePrefetchDescription[] =
"When enabled, the distributors of signed exchanges can let Chrome know "
"alternative signed exchange subresources by setting \"alternate\" link "
"header. Chrome will prefetch the alternate signed exchange subresources "
"and will load them if the publisher of the main signed exchange has set "
"\"allowed-alt-sxg\" link header in the signed inner response of the "
"main signed exchange.";
const char kEnableSignedExchangePrefetchCacheForNavigationsName[] =
"Enable Signed Exchange prefetch cache for navigations";
const char kEnableSignedExchangePrefetchCacheForNavigationsDescription[] =
"When enabled, the prefetched signed exchanges is stored to a prefetch "
"cache attached to the frame. The body of the inner response is stored as "
"a blob and the verification process of the signed exchange is skipped for "
"the succeeding navigation.";
const char kAudioWorkletRealtimeThreadName[] =
"Use realtime priority thread for Audio Worklet";
const char kAudioWorkletRealtimeThreadDescription[] =
"Run Audio Worklet operation on a realtime priority thread for better "
"audio stream stability.";
const char kUpdatedCellularActivationUiName[] =
"Updated Cellular Activation UI";
const char kUpdatedCellularActivationUiDescription[] =
"Enables the updated cellular activation UI.";
const char kUseMessagesGoogleComDomainName[] = "Use messages.google.com domain";
const char kUseMessagesGoogleComDomainDescription[] =
"Use the messages.google.com domain as part of the \"Messages\" "
"feature under \"Connected Devices\" settings.";
const char kUseMessagesStagingUrlName[] = "Use Messages staging URL";
const char kUseMessagesStagingUrlDescription[] =
"Use the staging server as part of the \"Messages\" feature under "
"\"Connected Devices\" settings.";
const char kEnableMessagesWebPushName[] =
"Web push in Android Messages integration";
const char kEnableMessagesWebPushDescription[] =
"Use web push for background notificatons in Chrome OS integration "
"with Android Messages for Web";
const char kAndroidPictureInPictureAPIName[] =
"Picture-in-Picture Web API for Android";
const char kAndroidPictureInPictureAPIDescription[] =
"Enable Picture-in-Picture Web API for Android";
const char kAndroidSiteSettingsUIRefreshName[] =
"Android Site Settings UI changes.";
const char kAndroidSiteSettingsUIRefreshDescription[] =
"Enable the new UI "
"changes in Site Settings in Android.";
const char kAutomaticPasswordGenerationName[] = "Automatic password generation";
const char kAutomaticPasswordGenerationDescription[] =
"Allow Chrome to offer to generate passwords when it detects account "
"creation pages.";
const char kDnsOverHttpsName[] = "Secure DNS lookups";
const char kDnsOverHttpsDescription[] =
"Enables DNS over HTTPS. When this feature is enabled, your browser may "
"try to use a secure HTTPS connection to look up the addresses of websites "
"and other web resources.";
const char kDrawVerticallyEdgeToEdgeName[] =
"Draw contents vertically from edge to edge.";
const char kDrawVerticallyEdgeToEdgeDescription[] =
"Draw contents vertically from edge to edge.";
const char kAutofillAlwaysReturnCloudTokenizedCardName[] =
"Return cloud token details for server credit cards when possible";
const char kAutofillAlwaysReturnCloudTokenizedCardDescription[] =
"When enabled and where available, forms filled using Google Payments "
"server cards are populated with cloud token details, including CPAN "
"(cloud tokenized version of the Primary Account Number) and dCVV (dynamic "
"CVV).";
extern const char kAutofillAlwaysShowServerCardsInSyncTransportName[] =
"AlwaysShowServerCardsInSyncTransport";
extern const char kAutofillAlwaysShowServerCardsInSyncTransportDescription[] =
"Always show server cards when in sync transport mode for wallet data";
extern const char kAutofillAssistantChromeEntryName[] =
"AutofillAssistantChromeEntry";
extern const char kAutofillAssistantChromeEntryDescription[] =
"Initiate autofill assistant from within Chrome.";
extern const char kAutofillAssistantDirectActionsName[] =
"Autofill Assistant direct actions";
extern const char kAutofillAssistantDirectActionsDescription[] =
"When enabled, expose direct actions from the Autofill Assistant.";
const char kAutofillCacheQueryResponsesName[] =
"Cache Autofill Query Responses";
const char kAutofillCacheQueryResponsesDescription[] =
"When enabled, autofill will cache the responses it receives from the "
"crowd-sourced field type prediction server.";
const char kAutofillEnableCompanyNameName[] =
"Enable Autofill Company Name field";
const char kAutofillEnableCompanyNameDescription[] =
"When enabled, Company Name fields will be auto filled";
const char kAutofillEnableLocalCardMigrationForNonSyncUserName[] =
"Enable local card migration flow for non-syncing users";
const char kAutofillEnableLocalCardMigrationForNonSyncUserDescription[] =
"When enabled, the local card migration flow will be enabled for users who "
"have signed in but not enabled Chrome Sync.";
const char kAutofillEnableToolbarStatusChipName[] =
"Move Autofill omnibox icons next to the profile avatar icon";
const char kAutofillEnableToolbarStatusChipDescription[] =
"When enabled, Autofill data related icon will be shown in the status "
"chip next to the profile avatar icon in the toolbar.";
const char kAutofillEnforceMinRequiredFieldsForHeuristicsName[] =
"Autofill Enforce Min Required Fields For Heuristics";
const char kAutofillEnforceMinRequiredFieldsForHeuristicsDescription[] =
"When enabled, autofill will generally require a form to have at least 3 "
"fields before allowing heuristic field-type prediction to occur.";
const char kAutofillEnforceMinRequiredFieldsForQueryName[] =
"Autofill Enforce Min Required Fields For Query";
const char kAutofillEnforceMinRequiredFieldsForQueryDescription[] =
"When enabled, autofill will generally require a form to have at least 3 "
"fields before querying the autofill server for field-type predictions.";
const char kAutofillEnforceMinRequiredFieldsForUploadName[] =
"Autofill Enforce Min Required Fields For Upload";
const char kAutofillEnforceMinRequiredFieldsForUploadDescription[] =
"When enabled, autofill will generally require a form to have at least 3 "
"fillable fields before uploading field-type votes for that form.";
const char kAutofillNoLocalSaveOnUnmaskSuccessName[] =
"Remove the option to save local copies of unmasked server cards";
const char kAutofillNoLocalSaveOnUnmaskSuccessDescription[] =
"When enabled, the server card unmask prompt will not include the checkbox "
"to also save the card locally on the current device upon success.";
const char kAutofillNoLocalSaveOnUploadSuccessName[] =
"Disable saving local copy of uploaded card when credit card upload "
"succeeds";
const char kAutofillNoLocalSaveOnUploadSuccessDescription[] =
"When enabled, no local copy of server card will be saved when credit card "
"upload succeeds.";
const char kAutofillOffNoServerDataName[] = "Autofill Off No Server Data";
const char kAutofillOffNoServerDataDescription[] =
"Disables Autofill for fields with autocomplete off that have no "
"crowd-sourced evidence that Autofill would be helpful.";
const char kAutofillProfileClientValidationName[] =
"Autofill Validates Profiles By Client";
const char kAutofillProfileClientValidationDescription[] =
"Allows autofill to validate profiles on the client side";
const char kAutofillProfileServerValidationName[] =
"Autofill Uses Server Validation";
const char kAutofillProfileServerValidationDescription[] =
"Allows autofill to use server side validation";
const char kAutofillPruneSuggestionsName[] = "Autofill Prune Suggestions";
const char kAutofillPruneSuggestionsDescription[] =
"Further limits the number of suggestions in the Autofill dropdown.";
const char kAutofillRejectCompanyBirthyearName[] =
"Autofill Rejects Invalid Company Names";
const char kAutofillRejectCompanyBirthyearDescription[] =
"Autofill rejects using non-verified company names that are in the "
"format of a birthyear.";
const char kAutofillRestrictUnownedFieldsToFormlessCheckoutName[] =
"Restrict formless form extraction";
const char kAutofillRestrictUnownedFieldsToFormlessCheckoutDescription[] =
"Restrict extraction of formless forms to checkout flows";
const char kAutofillRichMetadataQueriesName[] =
"Autofill - Rich metadata queries (Canary/Dev only)";
const char kAutofillRichMetadataQueriesDescription[] =
"Transmit rich form/field metadata when querying the autofill server. "
"This feature only works on the Canary and Dev channels.";
extern const char kAutofillSaveAndFillVPAName[] =
"Offer save and autofill of UPI/VPA values";
extern const char kAutofillSaveAndFillVPADescription[] =
"If enabled, when autofill recognizes a UPI/VPA value in a payment form, "
"it will offer to save it. If saved, it will be offered for filling in "
"fields which expect a VPA.";
const char kAutofillSettingsSplitByCardTypeName[] =
"Autofill settings split by card type";
const char kAutofillSettingsSplitByCardTypeDescription[] =
"When enabled, the cards in the payments settings will be split into two "
"lists based on where they are stored.";
const char kAutofillUseImprovedLabelDisambiguationName[] =
"Autofill Uses Improved Label Disambiguation";
const char kAutofillUseImprovedLabelDisambiguationDescription[] =
"When enabled, the Autofill dropdown's suggestions' labels are displayed "
"using the improved disambiguation format.";
const char kAutoScreenBrightnessName[] = "Auto Screen Brightness model";
const char kAutoScreenBrightnessDescription[] =
"Uses Auto Screen Brightness model to adjust screen brightness based on "
"ambient light";
const char kBackForwardCacheName[] = "Back-forward cache";
const char kBackForwardCacheDescription[] =
"Enables back-forward cache. NOTE: this feature is highly experimental and "
"will lead to various breakages, up to and including user data loss. "
"Do not enable unless you work on this feature";
const char kBrowserTaskSchedulerName[] = "Task Scheduler";
const char kBrowserTaskSchedulerDescription[] =
"Enables redirection of some task posting APIs to the task scheduler.";
const char kBundledConnectionHelpName[] = "Bundled Connection Help";
const char kBundledConnectionHelpDescription[] =
"Enables or disables redirection to local help content for users who get "
"an interstitial after clicking the 'Learn More' link on a previous "
"interstitial.";
const char kBypassAppBannerEngagementChecksName[] =
"Bypass user engagement checks";
const char kBypassAppBannerEngagementChecksDescription[] =
"Bypasses user engagement checks for displaying app banners, such as "
"requiring that users have visited the site before and that the banner "
"hasn't been shown recently. This allows developers to test that other "
"eligibility requirements for showing app banners, such as having a "
"manifest, are met.";
const char kCaptionSettingsName[] = "Caption Settings";
const char kCaptionSettingsDescription[] =
"Enable the ability to customize captions.";
const char kContextMenuSearchWithGoogleLensName[] =
"Google Lens powered image search in the context menu.";
const char kContextMenuSearchWithGoogleLensDescription[] =
"Replaces default image search with an intent to Google Lens when "
"supported.";
const char kClickToOpenPDFName[] = "Click to open embedded PDFs";
const char kClickToOpenPDFDescription[] =
"When the PDF plugin is unavailable, show a click-to-open placeholder for "
"embedded PDFs.";
const char kCloudPrinterHandlerName[] = "Enable Cloud Printer Handler";
const char kCloudPrinterHandlerDescription[] =
"Use the new cloud printer handler for communicating with the cloud "
"print server, instead of the cloud print interface in the Print "
"Preview WebUI.";
const char kDecodeJpeg420ImagesToYUVName[] = "YUV decoding for JPEG";
const char kDecodeJpeg420ImagesToYUVDescription[] =
"Decode and render 4:2:0 formatted jpeg images from YUV instead of RGB."
"This feature requires GPU or OOP rasterization to also be enabled.";
const char kDecodeLossyWebPImagesToYUVName[] = "YUV Decoding for WebP";
const char kDecodeLossyWebPImagesToYUVDescription[] =
"Decode and render lossy WebP images from YUV instead of RGB. "
"You must also have GPU rasterization or OOP rasterization.";
const char kEnablePasswordsAccountStorageName[] =
"Enable the account data storage for passwords";
const char kEnablePasswordsAccountStorageDescription[] =
"Enables storing passwords in a second, Gaia-account-scoped storage for "
"signed-in but not syncing users";
const char kEnablePasswordsAccountStorageSavingUiName[] =
"Enable the UI to save passwords to the account storage";
const char kEnablePasswordsAccountStorageSavingUiDescription[] =
"Enables the UI that allows storing passwords to the Gaia-account-scoped "
"storage for signed-in but not syncing users. Requires enabling the "
"account storage #passwords-account-storage.";
const char kFocusMode[] = "Focus Mode";
const char kFocusModeDescription[] =
"If enabled, allows the user to switch to Focus Mode";
const char kFontSrcLocalMatchingName[] =
"Match @font-face { src: local(<name>) } names by PostScript and full font "
"name.";
const char kFontSrcLocalMatchingDescription[] =
"Match local() src attributes in @font-face declarations precisely by "
"PostScript name and full font name instead of the previous behavior of "
"matching those unspecifically as family names.";
const char kForceColorProfileSRGB[] = "sRGB";
const char kForceColorProfileP3[] = "Display P3 D65";
const char kForceColorProfileColorSpin[] = "Color spin with gamma 2.4";
const char kForceColorProfileSCRGBLinear[] =
"scRGB linear (HDR where available)";
const char kForceColorProfileHDR10[] = "HDR10 (HDR where available)";
const char kForceColorProfileName[] = "Force color profile";
const char kForceColorProfileDescription[] =
"Forces Chrome to use a specific color profile instead of the color "
"of the window's current monitor, as specified by the operating system.";
const char kCompositedLayerBordersName[] = "Composited render layer borders";
const char kCompositedLayerBordersDescription[] =
"Renders a border around composited Render Layers to help debug and study "
"layer compositing.";
const char kCookieDeprecationMessagesName[] = "Cookie deprecation messages";
const char kCookieDeprecationMessagesDescription[] =
"Show messages in the DevTools console about upcoming deprecations that "
"would affect sent/received cookies.";
const char kCookiesWithoutSameSiteMustBeSecureName[] =
"Cookies without SameSite must be secure";
const char kCookiesWithoutSameSiteMustBeSecureDescription[] =
"If enabled, cookies without SameSite restrictions must also be Secure. If "
"a cookie without SameSite restrictions is set without the Secure "
"attribute, it will be rejected. This flag only has an effect if "
"\"SameSite by default cookies\" is also enabled.";
const char kCooperativeSchedulingName[] = "Cooperative Scheduling";
const char kCooperativeSchedulingDescription[] =
"Enables cooperative scheduling in Blink.";
const char kCreditCardAssistName[] = "Credit Card Assisted Filling";
const char kCreditCardAssistDescription[] =
"Enable assisted credit card filling on certain sites.";
const char kDarkenWebsitesCheckboxInThemesSettingName[] =
"Darken websites checkbox in themes setting";
const char kDarkenWebsitesCheckboxInThemesSettingDescription[] =
"Show a darken websites checkbox in themes settings when system default or "
"dark is selected. The checkbox can toggle the auto-darkening web contents "
"feature";
const char kDataSaverServerPreviewsName[] = "Data Saver Server Previews";
const char kDataSaverServerPreviewsDescription[] =
"Allow the Data Reduction Proxy to serve previews.";
const char kDebugPackedAppName[] = "Debugging for packed apps";
const char kDebugPackedAppDescription[] =
"Enables debugging context menu options such as Inspect Element for packed "
"applications.";
const char kDebugShortcutsName[] = "Debugging keyboard shortcuts";
const char kDebugShortcutsDescription[] =
"Enables additional keyboard shortcuts that are useful for debugging Ash.";
const char kDeviceDiscoveryNotificationsName[] =
"Device Discovery Notifications";
const char kDeviceDiscoveryNotificationsDescription[] =
"Device discovery notifications on local network.";
const char kDevtoolsExperimentsName[] = "Developer Tools experiments";
const char kDevtoolsExperimentsDescription[] =
"Enables Developer Tools experiments. Use Settings panel in Developer "
"Tools to toggle individual experiments.";
const char kDisableAudioForDesktopShareName[] =
"Disable Audio For Desktop Share";
const char kDisableAudioForDesktopShareDescription[] =
"With this flag on, desktop share picker window will not let the user "
"choose whether to share audio.";
const char kDisableBestEffortTasksName[] = "Skip best effort tasks";
const char kDisableBestEffortTasksDescription[] =
"With this flag on, tasks of the lowest priority will not be executed "
"until shutdown. The queue of low priority tasks can increase memory usage."
"Also, while it should be possible to use Chrome almost normally with this "
"flag, it is expected that some non-visible operations such as writing "
"user data to disk, cleaning caches, reporting metrics or updating "
"components won't be performed until shutdown.";
const char kDisableIpcFloodingProtectionName[] =
"Disable IPC flooding protection";
const char kDisableIpcFloodingProtectionDescription[] =
"Some javascript code can flood the inter process communication system. "
"This protection limits the rate (calls/seconds) at which theses function "
"can be used. This flag disables the protection. This flag is deprecated "
"and will be removed in Chrome 76. Use the switch "
"--disable-ipc-flooding-protection instead.";
const char kDisablePushStateThrottleName[] = "Disable pushState throttling";
const char kDisablePushStateThrottleDescription[] =
"Disables throttling of history.pushState and history.replaceState method "
"calls. This flag is deprecated and will be removed in Chrome 76. Use the "
"switch --disable-ipc-flooding-protection instead.";
const char kDisallowDocWrittenScriptsUiName[] =
"Block scripts loaded via document.write";
const char kDisallowDocWrittenScriptsUiDescription[] =
"Disallows fetches for third-party parser-blocking scripts inserted into "
"the main frame via document.write.";
const char kDisallowUnsafeHttpDownloadsName[] =
"Block unsafe downloads over insecure connections";
const char kDisallowUnsafeHttpDownloadsNameDescription[] =
"Disallows downloads of unsafe files (files that can potentially execute "
"code), where the final download origin or any origin in the redirect "
"chain is insecure.";
const char kDownloadResumptionWithoutStrongValidatorsName[] =
"Allow download resumption without strong validators";
const char kDownloadResumptionWithoutStrongValidatorsDescription[] =
"Allows download to resume instead of restarting from the begining if "
"strong validators are not present.";
const char kEnableAccessibilityImageDescriptionsName[] =
"Accessibility Image Descriptions";
const char kEnableAccessibilityImageDescriptionsDescription[] =
"Enables screen reader users to request computer-generated descriptions "
"of unlabeled images using the page context menu.";
const char kEnableAccessibilityObjectModelName[] =
"Accessibility Object Model v0 (deprecated)";
const char kEnableAccessibilityObjectModelDescription[] =
"Enables experimental support for an earlier version of Accessibility"
"Object Model APIs that are now deprecated.";
const char kEnableAmbientAuthenticationInIncognitoName[] =
"Enable Ambient Authentication in Incognito mode";
const char kEnableAmbientAuthenticationInIncognitoDescription[] =
"Enables ambient authentication in Incognito mode. This flag may be "
"overriden by policies.";
const char kEnableAmbientAuthenticationInGuestSessionName[] =
"Enable Ambient Authentication in Guest session.";
const char kEnableAmbientAuthenticationInGuestSessionDescription[] =
"Enables ambient authentication in Guest session. This flag may be "
"overriden by policies.";
const char kEnableAudioFocusEnforcementName[] = "Audio Focus Enforcement";
const char kEnableAudioFocusEnforcementDescription[] =
"Enables enforcement of a single media session having audio focus at "
"any one time. Requires #enable-media-session-service to be enabled too.";
const char kEnableAutocompleteDataRetentionPolicyName[] =
"Enable automatic cleanup of expired Autocomplete entries.";
const char kEnableAutocompleteDataRetentionPolicyDescription[] =
"If enabled, will clean-up Autocomplete entries whose last use date is "
"older than the current retention policy. These entries will be "
"permanently deleted from the client on startup, and will be unlinked "
"from sync.";
const char kEnableAutofillAccountWalletStorageName[] =
"Enable the account data storage for autofill";
const char kEnableAutofillAccountWalletStorageDescription[] =
"Enable the ephemeral storage for account data for autofill.";
const char kEnableAutofillCreditCardAblationExperimentDisplayName[] =
"Credit card autofill ablation experiment.";
const char kEnableAutofillCreditCardAblationExperimentDescription[] =
"If enabled, credit card autofill suggestions will not display.";
const char kEnableAutofillCreditCardAuthenticationName[] =
"Allow using platform authenticators to retrieve server cards";
const char kEnableAutofillCreditCardAuthenticationDescription[] =
"When enabled, users will be given the option to use a platform "
"authenticator (if available) to verify card ownership when retrieving "
"credit cards from Google Payments.";
const char kEnableAutofillCreditCardLastUsedDateDisplayName[] =
"Display the last used date of a credit card in autofill.";
const char kEnableAutofillCreditCardLastUsedDateDisplayDescription[] =
"If enabled, display the last used date of a credit card in autofill.";
const char kEnableAutofillCreditCardUploadEditableCardholderNameName[] =
"Make cardholder name editable in dialog during credit card upload";
const char kEnableAutofillCreditCardUploadEditableCardholderNameDescription[] =
"If enabled, in certain situations when offering credit card upload to "
"Google Payments, the cardholder name can be edited within the "
"offer-to-save dialog, which is prefilled with the name from the signed-in "
"Google Account.";
const char kEnableAutofillCreditCardUploadEditableExpirationDateName[] =
"Make expiration date editable in dialog during credit card upload";
const char kEnableAutofillCreditCardUploadEditableExpirationDateDescription[] =
"If enabled, if a credit card's expiration date was not detected when "
"offering card upload to Google Payments, the offer-to-save dialog "
"displays an expiration date selector.";
const char kEnableAutofillCreditCardUploadFeedbackName[] =
"Enable feedback for credit card upload flow";
const char kEnableAutofillCreditCardUploadFeedbackDescription[] =
"When enabled, if credit card upload succeeds, the avatar button will "
"show a highlight, otherwise the icon will be updated and if it is "
"clicked, the save card failure bubble will be shown.";
const char kEnableAutofillDoNotMigrateUnsupportedLocalCardsName[] =
"Prevents local card migration on local cards from unsupported networks";
const char kEnableAutofillDoNotMigrateUnsupportedLocalCardsDescription[] =
"If enabled, local cards from unsupported networks will not be offered "
"local card migration.";
const char kEnableAutofillNativeDropdownViewsName[] =
"Display Autofill Dropdown Using Views";
const char kEnableAutofillNativeDropdownViewsDescription[] =
"If enabled, the Autofill Dropdown will be built natively using Views, "
"rather than painted directly to a canvas.";
const char kEnableAutofillUpdatedCardUnmaskPromptUiName[] =
"Enable new card unmask prompt UI";
const char kEnableAutofillUpdatedCardUnmaskPromptUiDescription[] =
"If enabled, shows the updated card unmask prompt when performing CVC "
"verification.";
const char kEnableDeferAllScriptName[] = "DeferAllScript previews";
const char kEnableDeferAllScriptDescription[] =
"Enable deferring synchronous script on slow pages.";
const char kEnableDeferAllScriptWithoutOptimizationHintsName[] =
"Skip checking optimization hints for Defer Script previews";
const char kEnableDeferAllScriptWithoutOptimizationHintsDescription[] =
"Skips checking optimization hints for Defer Script previews and assumes "
"that the ECT trigger threshold is set to 4G (which is otherwise provided "
"by the optimization hints). Rest of the checks are still executed.";
extern const char kEnableEduCoexistenceName[] =
"Enable Family Link managed accounts and EDU accounts coexistence";
extern const char kEnableEduCoexistenceDescription[] =
"Allows Family Link managed users to add secondary EDU accounts.";
const char kEnableSaveDataName[] = "Enables save data feature";
const char kEnableSaveDataDescription[] =
"Enables save data feature. May cause user's traffic to be proxied via "
"Google's data reduction proxy.";
const char kEnableNoScriptPreviewsName[] = "NoScript previews";
const char kEnableNoScriptPreviewsDescription[] =
"Enable disabling JavaScript on some pages on slow networks.";
const char kEnableRemovingAllThirdPartyCookiesName[] =
"Enable removing SameSite=None cookies";
const char kEnableRemovingAllThirdPartyCookiesDescription[] =
"Enables UI on chrome://settings/siteData to remove all third-party "
"cookies and site data.";
const char kDataReductionProxyServerAlternative1[] = "Use alt. server config 1";
const char kDataReductionProxyServerAlternative2[] = "Use alt. server config 2";
const char kDataReductionProxyServerAlternative3[] = "Use alt. server config 3";
const char kDataReductionProxyServerAlternative4[] = "Use alt. server config 4";
const char kDataReductionProxyServerAlternative5[] = "Use alt. server config 5";
const char kDataReductionProxyServerAlternative6[] = "Use alt. server config 6";
const char kDataReductionProxyServerAlternative7[] = "Use alt. server config 7";
const char kDataReductionProxyServerAlternative8[] = "Use alt. server config 8";
const char kDataReductionProxyServerAlternative9[] = "Use alt. server config 9";
const char kDataReductionProxyServerAlternative10[] =
"Use alt. server config 10";
const char kEnableDataReductionProxyNetworkServiceName[] =
"Data reduction proxy with network service";
const char kEnableDataReductionProxyNetworkServiceDescription[] =
"Enable data reduction proxy when network service is enabled";
const char kEnableDataReductionProxyServerExperimentName[] =
"Use an alternative Data Saver back end configuration.";
const char kEnableDataReductionProxyServerExperimentDescription[] =
"Enable a different approach to saving data by configuring the back end "
"server";
const char kDesktopMinimalUIName[] = "Desktop PWAs support minimal-ui";
const char kDesktopMinimalUIDescription[] =
"PWAs with display mode minimal-ui open in a window with Back and Refresh "
"buttons.";
const char kEnableDesktopPWAsName[] = "Desktop PWAs";
const char kEnableDesktopPWAsDescription[] =
"Experimental windowing and install banner treatment for Progressive Web "
"Apps on desktop platforms. Implies #enable-experimental-app-banners.";
extern const char kDesktopPWAsLocalUpdatingName[] =
"Desktop PWAs local updating";
extern const char kDesktopPWAsLocalUpdatingDescription[] =
"Enable installed PWAs to update their app manifest data when the site "
"manifest data has changed.";
const char kDesktopPWAsOmniboxInstallName[] =
"Desktop PWAs installable from the omnibox";
const char kDesktopPWAsOmniboxInstallDescription[] =
"When on a site that passes PWA installation requirements show a button in "
"the omnibox for installing it.";
const char kEnableSystemWebAppsName[] = "System Web Apps";
const char kEnableSystemWebAppsDescription[] =
"Experimental system for using the Desktop PWA framework for running System"
"Apps (e.g Settings, Discover).";
const char kEnableTLS13EarlyDataName[] = "TLS 1.3 Early Data";
const char kEnableTLS13EarlyDataDescription[] =
"This option enables TLS 1.3 Early Data, allowing GET requests to be sent "
"during the handshake when resuming a connection to a compatible TLS 1.3 "
"server.";
const char kWinrtGeolocationImplementationName[] =
"WinRT Geolocation Implementation";
const char kWinrtGeolocationImplementationDescription[] =
"Enables usage of the Windows.Devices.Geolocation WinRT APIs on Windows "
"for geolocation";
const char kWinrtSensorsImplementationName[] = "WinRT Sensor Implementation";
const char kWinrtSensorsImplementationDescription[] =
"Enables usage of the Windows.Devices.Sensors WinRT APIs on Windows for "
"sensors";
const char kEnableGenericSensorExtraClassesName[] =
"Generic Sensor Extra Classes";
const char kEnableGenericSensorExtraClassesDescription[] =
"Enables an extra set of sensor classes based on Generic Sensor API, which "
"expose previously unavailable platform features, i.e. AmbientLightSensor "
"and Magnetometer interfaces.";
const char kEnableGpuServiceLoggingName[] = "Enable gpu service logging";
const char kEnableGpuServiceLoggingDescription[] =
"Enable printing the actual GL driver calls.";
const char kEnableHistoryFaviconsGoogleServerQueryName[] =
"Enable History Favicons Google Server Query";
const char kEnableHistoryFaviconsGoogleServerQueryDescription[] =
"Allow retrieving favicons of non-local entries in the history WebUIs and "
"the recent tabs menu using a Google server instead of Sync.";
const char kEnableImplicitRootScrollerName[] = "Implicit Root Scroller";
const char kEnableImplicitRootScrollerDescription[] =
"Enables implicitly choosing which scroller on a page is the 'root "
"scroller'. i.e. The one that gets special features like URL bar movement, "
"overscroll glow, rotation anchoring, etc.";
const char kEnableCSSOMViewScrollCoordinatesName[] =
"CSSOM View Scroll Coordinates";
const char kEnableCSSOMViewScrollCoordinatesDescription[] =
"Enables CSSOM View Scroll Coordinates, this affects to box scroll "
"coordinates in scrollTop / scrollLeft / scrollTo' when ScrollOrigin isn't "
"at the left top corner. i.e. For leftwards overflow direction box "
"the X coordinate will start from 0 to negative value. For upwards box the "
"Y coordinate will start from 0 to negative value. And for other directions"
"(rightwards and downwards) the value will start from 0 to positive";
const char kEnableLitePageServerPreviewsName[] = "Lite Page Server Previews";
const char kEnableLitePageServerPreviewsDescription[] =
"Enable showing Lite Page Previews served from a Previews Server."
"This feature will cause Chrome to redirect eligible navigations "
"to a Google-owned domain that serves a pre-rendered version of the "
"original page. Also known as Lite Page Redirect Previews.";
const char kEnablePreviewsCoinFlipName[] = "Enable Previews Coin Flip";
const char kEnablePreviewsCoinFlipDescription[] =
"Enable coin flip experimentation of Previews.";
const char kBuiltInModuleAllName[] = "All experimental built-in modules";
const char kBuiltInModuleAllDescription[] =
"Enable all experimental built-in modules, as well as built-in module "
"infrastructure and import maps. The syntax and the APIs exposed are "
"experimental and will change over time.";
const char kBuiltInModuleInfraName[] = "Built-in module infra and import maps";
const char kBuiltInModuleInfraDescription[] =
"Enable built-in module infrastructure and import maps. Individual "
"built-in modules should be enabled by other flags. The syntax and the "
"APIs exposed are experimental and will change over time.";
const char kBuiltInModuleKvStorageName[] = "kv-storage built-in module";
const char kBuiltInModuleKvStorageDescription[] =
"Enable kv-storage built-in module, as well as built-in module "
"infrastructure and import maps. The syntax and the APIs exposed are "
"experimental and will change over time.";
const char kDownloadAutoResumptionNativeName[] =
"Enable download auto-resumption in native";
const char kDownloadAutoResumptionNativeDescription[] =
"Enables download auto-resumption in native";
const char kEnableDisplayLockingName[] = "Enable Display Locking";
const char kEnableDisplayLockingDescription[] =
"Enable Display Locking JavaScript API. The syntax and the APIs exposed "
"are experimental and may change.";
const char kEnableLayoutNGName[] = "Enable LayoutNG";
const char kEnableLayoutNGDescription[] =
"Enable Blink's next generation layout engine.";
const char kEnableLazyFrameLoadingName[] = "Enable lazy frame loading";
const char kEnableLazyFrameLoadingDescription[] =
"Defers the loading of iframes marked with the attribute 'loading=lazy' "
"until the page is scrolled down near them.";
const char kEnableLazyImageLoadingName[] = "Enable lazy image loading";
const char kEnableLazyImageLoadingDescription[] =
"Defers the loading of images marked with the attribute 'loading=lazy' "
"until the page is scrolled down near them.";
const char kEnableMacMaterialDesignDownloadShelfName[] =
"Enable Material Design download shelf";
const char kEnableMacMaterialDesignDownloadShelfDescription[] =
"If enabled, the download shelf uses Material Design.";
const char kEnableMediaSessionServiceName[] = "Media Session Service";
const char kEnableMediaSessionServiceDescription[] =
"Enables the media session mojo service and internal media session "
"support.";
const char kEnableNavigationTracingName[] = "Enable navigation tracing";
const char kEnableNavigationTracingDescription[] =
"This is to be used in conjunction with the trace-upload-url flag. "
"WARNING: When enabled, Chrome will record performance data for every "
"navigation and upload it to the URL specified by the trace-upload-url "
"flag. The trace may include personally identifiable information (PII) "
"such as the titles and URLs of websites you visit.";
const char kEnableNetworkLoggingToFileName[] = "Enable network logging to file";
const char kEnableNetworkLoggingToFileDescription[] =
"Enables network logging to a file named netlog.json in the user data "
"directory. The file can be imported into chrome://net-internals.";
const char kEnableNetworkServiceInProcessName[] =
"Runs network service in-process";
const char kEnableNetworkServiceInProcessDescription[] =
"Runs the network service in the browser process.";
const char kEnableNewDownloadBackendName[] = "Enable new download backend";
const char kEnableNewDownloadBackendDescription[] =
"Enables the new download backend that uses offline content provider";
const char kEnablePortalsName[] = "Enable Portals.";
const char kEnablePortalsDescription[] =
"Portals are an experimental web platform feature that allows embedding"
" and seamless transitions between pages."
" See https://github.com/WICG/portals and https://wicg.github.io/portals/";
const char kEnableNotificationScrollBarName[] =
"Enable notification list scroll bar";
const char kEnableNotificationScrollBarDescription[] =
"Enable the scroll bar of the notification list in Unified System Tray.";
const char kEnableNotificationExpansionAnimationName[] =
"Enable notification expansion animations";
const char kEnableNotificationExpansionAnimationDescription[] =
"Enable notification animations whenever the expansion state is toggled.";
const char kEnableOutOfBlinkCorsName[] = "Out of blink CORS";
const char kEnableOutOfBlinkCorsDescription[] =
"CORS handling logic is moved out of blink.";
const char kCrossOriginIsolationName[] = "Cross Origin Isolation";
const char kCrossOriginIsolationDescription[] =
"Enable Cross Origin Opener Policy and Cross Origin Embedder Policy.";
const char kDisableKeepaliveFetchName[] = "Disable fetch with keepalive set";
const char kDisableKeepaliveFetchDescription[] =
"Disable fetch with keepalive set "
"(https://fetch.spec.whatwg.org/#request-keepalive-flag).";
const char kExperimentalAccessibilityFeaturesName[] =
"Experimental accessibility features";
const char kExperimentalAccessibilityFeaturesDescription[] =
"Enable additional accessibility features in the Settings page.";
const char kExperimentalAccessibilityAutoclickName[] =
"Experimental automatic click features";
const char kExperimentalAccessibilityAutoclickDescription[] =
"Enable additional features for automatic clicks.";
const char kExperimentalAccessibilityLanguageDetectionName[] =
"Experimental accessibility language detection";
const char kExperimentalAccessibilityLanguageDetectionDescription[] =
"Enable language detection for in-page content which is then exposed to "
"assistive technologies such as screen readers.";
const char kExperimentalAccessibilityLanguageDetectionDynamicName[] =
"Experimental accessibility language detection for dynamic content";
const char kExperimentalAccessibilityLanguageDetectionDynamicDescription[] =
"Enable language detection for dynamic content which is then exposed to "
"assistive technologies such as screen readers.";
const char kVizDisplayCompositorName[] = "Viz Display Compositor (OOP-D)";
const char kVizDisplayCompositorDescription[] =
"If enabled, the display compositor runs as part of the viz service in the"
"GPU process.";
const char kVizHitTestName[] = "Viz Hit-test SurfaceLayer";
const char kVizHitTestDescription[] =
"If enabled, event targeting uses hit-test data computed from the "
"SurfaceLayer.";
const char kCompositorThreadedScrollbarScrollingName[] =
"Compositor threaded scrollbar scrolling";
const char kCompositorThreadedScrollbarScrollingDescription[] =
"Enables pointer-based scrollbar scrolling on the compositor thread "
"instead of the main thread";
const char kMemlogName[] = "Chrome heap profiler start mode.";
const char kMemlogDescription[] =
"Starts heap profiling service that records sampled memory allocation "
"profile having each sample attributed with a callstack. "
"The sampling resolution is controlled with --memlog-sampling-rate flag. "
"Recorded heap dumps can be obtained at chrome://tracing "
"[category:memory-infra] and chrome://memory-internals. This setting "
"controls which processes will be profiled since their start. To profile "
"any given process at a later time use chrome://memory-internals page.";
const char kMemlogModeMinimal[] = "Browser and GPU";
const char kMemlogModeAll[] = "All processes";
const char kMemlogModeAllRenderers[] = "All renderers";
const char kMemlogModeRendererSampling[] = "Single renderer";
const char kMemlogModeBrowser[] = "Browser only";
const char kMemlogModeGpu[] = "GPU only";
const char kMemlogSamplingRateName[] =
"Heap profiling sampling interval (in bytes).";
const char kMemlogSamplingRateDescription[] =
"Heap profiling service uses Poisson process to sample allocations. "
"Default value for the interval between samples is 100000 (100KB). "
"This results in low noise for large and/or frequent allocations "
"[size * frequency >> 100KB]. This means that aggregate numbers [e.g. "
"total size of malloc-ed objects] and large and/or frequent allocations "
"can be trusted with high fidelity. "
"Lower intervals produce higher samples resolution, but come at a cost of "
"higher performance overhead.";
const char kMemlogSamplingRate10KB[] = "10KB";
const char kMemlogSamplingRate50KB[] = "50KB";
const char kMemlogSamplingRate100KB[] = "100KB";
const char kMemlogSamplingRate500KB[] = "500KB";
const char kMemlogSamplingRate1MB[] = "1MB";
const char kMemlogSamplingRate5MB[] = "5MB";
const char kMemlogStackModeName[] = "Heap profiling stack traces type.";
const char kMemlogStackModeDescription[] =
"By default heap profiling service records native stacks. "
"A post-processing step is required to symbolize the stacks. "
"'Native with thread names' adds the thread name as the first frame of "
"each native stack. It's also possible to record a pseudo stack using "
"trace events as identifiers. It's also possible to do a mix of both.";
const char kMemlogStackModeMixed[] = "Mixed";
const char kMemlogStackModeNative[] = "Native";
const char kMemlogStackModeNativeWithThreadNames[] = "Native with thread names";
const char kMemlogStackModePseudo[] = "Trace events";
const char kEnablePixelCanvasRecordingName[] = "Enable pixel canvas recording";
const char kEnablePixelCanvasRecordingDescription[] =
"Pixel canvas recording allows the compositor to raster contents aligned "
"with the pixel and improves text rendering. This should be enabled when a "
"device is using fractional scale factor.";
const char kEnableResamplingInputEventsName[] =
"Enable resampling input events";
const char kEnableResamplingInputEventsDescription[] =
"Predicts mouse and touch inputs position at rAF time based on previous "
"input";
const char kEnableResamplingScrollEventsName[] =
"Enable resampling scroll events";
const char kEnableResamplingScrollEventsDescription[] =
"Predicts the scroll amount at vsync time based on previous input";
const char kEnableResourceLoadingHintsName[] = "Enable resource loading hints";
const char kEnableResourceLoadingHintsDescription[] =
"Enable using server-provided resource loading hints to provide a preview "
"over slow network connections.";
const char kEnableSyncUSSNigoriName[] = "Enable USS for sync encryption keys";
const char kEnableSyncUSSNigoriDescription[] =
"Enables the new, experimental implementation of sync encryption keys";
const char kEnableSyncUSSPasswordsName[] = "Enable USS for passwords sync";
const char kEnableSyncUSSPasswordsDescription[] =
"Enables the new, experimental implementation of passwords sync";
const char kEnableSyncUSSSessionsName[] = "Enable USS for sessions sync";
const char kEnableSyncUSSSessionsDescription[] =
"Enables the new, experimental implementation of session sync (aka tab "
"sync).";
const char kEnableTextFragmentAnchorName[] = "Enable Text Fragment Anchor.";
const char kEnableTextFragmentAnchorDescription[] =
"Enables scrolling to text specified in URL's fragment.";
const char kEnableUseZoomForDsfName[] =
"Use Blink's zoom for device scale factor.";
const char kEnableUseZoomForDsfDescription[] =
"If enabled, Blink uses its zooming mechanism to scale content for device "
"scale factor.";
const char kEnableUseZoomForDsfChoiceDefault[] = "Default";
const char kEnableUseZoomForDsfChoiceEnabled[] = "Enabled";
const char kEnableUseZoomForDsfChoiceDisabled[] = "Disabled";
const char kEnableScrollAnchorSerializationName[] =
"Scroll Anchor Serialization";
const char kEnableScrollAnchorSerializationDescription[] =
"Save the scroll anchor and use it to restore the scroll position when "
"navigating.";
const char kEnableSharedArrayBufferName[] =
"Experimental enabled SharedArrayBuffer support in JavaScript.";
const char kEnableSharedArrayBufferDescription[] =
"Enable SharedArrayBuffer support in JavaScript.";
const char kEnableSubresourceRedirectName[] =
"Enable Render Level Data Use Optimization";
const char kEnableSubresourceRedirectDescription[] =
"Allow Render Level Data Use Optimization";
const char kEnableWasmName[] = "WebAssembly structured cloning support.";
const char kEnableWasmDescription[] =
"Enable web pages to use WebAssembly structured cloning.";
const char kEnableWebAuthenticationCableV2SupportName[] =
"Web Authentication caBLE v2 support";
const char kEnableWebAuthenticationCableV2SupportDescription[] =
"Enable the QR-based pairingless BLE protocol for use with the Web "
"Authentication API. (This will also enable the cloud-based protocol "
"on platforms where it is not already enabled.)";
const char kExperimentalWebAssemblyFeaturesName[] = "Experimental WebAssembly";
const char kExperimentalWebAssemblyFeaturesDescription[] =
"Enable web pages to use experimental WebAssembly features.";
const char kEnableWasmBaselineName[] = "WebAssembly baseline compiler";
const char kEnableWasmBaselineDescription[] =
"Enables WebAssembly baseline compilation and tier up.";
const char kEnableWasmCodeCacheName[] = "WebAssembly compiled module cache";
const char kEnableWasmCodeCacheDescription[] =
"Enables caching of compiled WebAssembly modules.";
const char kEnableWasmCodeGCName[] = "WebAssembly code garbage collection";
const char kEnableWasmCodeGCDescription[] =
"Enables garbage collection of WebAssembly code.";
const char kEnableWasmSimdName[] = "WebAssembly SIMD support.";
const char kEnableWasmSimdDescription[] =
"Enables support for the WebAssembly SIMD proposal.";
const char kEnableWasmThreadsName[] = "WebAssembly threads support";
const char kEnableWasmThreadsDescription[] =
"Enables support for the WebAssembly Threads proposal. Implies "
"#shared-array-buffer and #enable-webassembly.";
const char kEvDetailsInPageInfoName[] = "EV certificate details in Page Info.";
const char kEvDetailsInPageInfoDescription[] =
"Shows the EV certificate details in the Page Info bubble.";
const char kExpensiveBackgroundTimerThrottlingName[] =
"Throttle expensive background timers";
const char kExpensiveBackgroundTimerThrottlingDescription[] =
"Enables intervention to limit CPU usage of background timers to 1%.";
const char kExperimentalCanvasFeaturesName[] = "Experimental canvas features";
const char kExperimentalCanvasFeaturesDescription[] =
"Enables the use of experimental canvas features which are still in "
"development.";
const char kExperimentalExtensionApisName[] = "Experimental Extension APIs";
const char kExperimentalExtensionApisDescription[] =
"Enables experimental extension APIs. Note that the extension gallery "
"doesn't allow you to upload extensions that use experimental APIs.";
const char kExperimentalProductivityFeaturesName[] =
"Experimental Productivity Features";
const char kExperimentalProductivityFeaturesDescription[] =
"Enable support for experimental developer productivity features, such as "
"built-in modules and policies for avoiding slow rendering.";
const char kExperimentalSecurityFeaturesName[] =
"Potentially annoying security features";
const char kExperimentalSecurityFeaturesDescription[] =
"Enables several security features that will likely break one or more "
"pages that you visit on a daily basis. Strict mixed content checking, for "
"example. And locking powerful features to secure contexts. This flag will "
"probably annoy you.";
const char kExperimentalWebPlatformFeaturesName[] =
"Experimental Web Platform features";
const char kExperimentalWebPlatformFeaturesDescription[] =
"Enables experimental Web Platform features that are in development.";
const char kExtensionContentVerificationName[] =
"Extension Content Verification";
const char kExtensionContentVerificationDescription[] =
"This flag can be used to turn on verification that the contents of the "
"files on disk for extensions from the webstore match what they're "
"expected to be. This can be used to turn on this feature if it would not "
"otherwise have been turned on, but cannot be used to turn it off (because "
"this setting can be tampered with by malware).";
const char kExtensionContentVerificationBootstrap[] =
"Bootstrap (get expected hashes, but do not enforce them)";
const char kExtensionContentVerificationEnforce[] =
"Enforce (try to get hashes, and enforce them if successful)";
const char kExtensionContentVerificationEnforceStrict[] =
"Enforce strict (hard fail if we can't get hashes)";
const char kExtensionsToolbarMenuName[] = "Extensions Toolbar Menu";
const char kExtensionsToolbarMenuDescription[] =
"Enable a separate toolbar button and menu for extensions";
const char kExtensionsOnChromeUrlsName[] = "Extensions on chrome:// URLs";
const char kExtensionsOnChromeUrlsDescription[] =
"Enables running extensions on chrome:// URLs, where extensions explicitly "
"request this permission.";
const char kFeaturePolicyName[] = "Feature Policy";
const char kFeaturePolicyDescription[] =
"Enables granting and removing access to features through the "
"Feature-Policy HTTP header.";
const char kFilteringScrollPredictionName[] = "Filtering scroll prediction";
const char kFilteringScrollPredictionDescription[] =
"Enable filtering of predicted scroll events";
const char kFractionalScrollOffsetsName[] = "Fractional Scroll Offsets";
const char kFractionalScrollOffsetsDescription[] =
"Enables fractional scroll offsets inside Blink, exposing non-integer "
"offsets to web APIs.";
const char kForceEffectiveConnectionTypeName[] =
"Override effective connection type";
const char kForceEffectiveConnectionTypeDescription[] =
"Overrides the effective connection type of the current connection "
"returned by the network quality estimator. Slow 2G on Cellular returns "
"Slow 2G when connected to a cellular network, and the actual estimate "
"effective connection type when not on a cellular network. Previews are "
"usually served on 2G networks.";
const char kEffectiveConnectionTypeUnknownDescription[] = "Unknown";
const char kEffectiveConnectionTypeOfflineDescription[] = "Offline";
const char kEffectiveConnectionTypeSlow2GDescription[] = "Slow 2G";
const char kEffectiveConnectionTypeSlow2GOnCellularDescription[] =
"Slow 2G On Cellular";
const char kEffectiveConnectionType2GDescription[] = "2G";
const char kEffectiveConnectionType3GDescription[] = "3G";
const char kEffectiveConnectionType4GDescription[] = "4G";
const char kFileHandlingAPIName[] = "File Handling API";
const char kFileHandlingAPIDescription[] =
"Enables the file handling API, allowing websites to register as file "
"handlers. This depends on native-file-system";
const char kFillOnAccountSelectName[] = "Fill passwords on account selection";
const char kFillOnAccountSelectDescription[] =
"Filling of passwords when an account is explicitly selected by the user "
"rather than autofilling credentials on page load.";
const char kForceTextDirectionName[] = "Force text direction";
const char kForceTextDirectionDescription[] =
"Explicitly force the per-character directionality of UI text to "
"left-to-right (LTR) or right-to-left (RTL) mode, overriding the default "
"direction of the character language.";
const char kForceDirectionLtr[] = "Left-to-right";
const char kForceDirectionRtl[] = "Right-to-left";
const char kForceUiDirectionName[] = "Force UI direction";
const char kForceUiDirectionDescription[] =
"Explicitly force the UI to left-to-right (LTR) or right-to-left (RTL) "
"mode, overriding the default direction of the UI language.";
const char kFormControlsRefreshName[] = "Web Platform Controls updated UI";
const char kFormControlsRefreshDescription[] =
"If enabled, HTML forms elements will be rendered using an updated style.";
const char kGlobalMediaControlsName[] = "Global Media Controls";
const char kGlobalMediaControlsDescription[] =
"Enables the Global Media Controls UI in the toolbar.";
const char kGpuRasterizationName[] = "GPU rasterization";
const char kGpuRasterizationDescription[] =
"Use GPU to rasterize web content. Requires impl-side painting.";
const char kForceGpuRasterization[] = "Force-enabled for all layers";
const char kGooglePasswordManagerName[] = "Google Password Manager UI";
const char kGooglePasswordManagerDescription[] =
"Enables access to the Google Password Manager UI from Chrome.";
const char kGoogleProfileInfoName[] = "Google profile name and icon";
const char kGoogleProfileInfoDescription[] =
"Enables using Google information to populate the profile name and icon in "
"the avatar menu.";
const char kHandwritingGestureName[] = "Handwriting Gestures";
const char kHandwritingGestureDescription[] =
"Enables handwriting gestures within the virtual keyboard";
const char kHardwareMediaKeyHandling[] = "Hardware Media Key Handling";
const char kHardwareMediaKeyHandlingDescription[] =
"Enables using media keys to control the active media session. This "
"requires MediaSessionService to be enabled too";
const char kHarfBuzzPDFSubsetterName[] = "HarfBuzz PDF Subsetter";
const char kHarfBuzzPDFSubsetterDescription[] =
"Changes the PDF subsetter from sftnly to HarfBuzz.";
const char kHeavyAdPrivacyMitigationsOptOutName[] =
"Disable heavy ad privacy mitigations";
const char kHeavyAdPrivacyMitigationsOptOutDescription[] =
"Disables privacy mitigations for the heavy ad intervention. This makes "
"the intervention deterministic."
"This is intended to be used for debugging only.";
const char kHeavyAdInterventionName[] = "Heavy Ad Intervention";
const char kHeavyAdInterventionDescription[] =
"Unloads ads that use too many device resources.";
const char kHideActiveAppsFromShelfName[] =
"Hide running apps (that are not pinned) from the shelf";
const char kHideActiveAppsFromShelfDescription[] =
"Save space in the shelf by hiding running apps (that are not pinned).";
const char kHorizontalTabSwitcherAndroidName[] =
"Enable horizontal tab switcher";
const char kHorizontalTabSwitcherAndroidDescription[] =
"Changes the layout of the Android tab switcher so tabs scroll "
"horizontally instead of vertically.";
const char kTabSwitcherOnReturnName[] = "Enable tab switcher on return";
const char kTabSwitcherOnReturnDescription[] =
"Enable tab switcher on return after specified time has elapsed";
const char kHostedAppQuitNotificationName[] =
"Quit notification for hosted apps";
const char kHostedAppQuitNotificationDescription[] =
"Display a notification when quitting Chrome if hosted apps are currently "
"running.";
const char kHostedAppShimCreationName[] =
"Creation of app shims for hosted apps on Mac";
const char kHostedAppShimCreationDescription[] =
"Create app shims on Mac when creating a hosted app.";
const char kHTTPAuthCommittedInterstitialsName[] =
"Enable Committed Interstitials for HTTP Auth";
const char kHTTPAuthCommittedInterstitialsDescription[] =
"Use committed error pages instead of transient navigation entries "
"for HTTP auth interstitial pages.";
const char kIconNtpName[] = "Large icons on the New Tab page";
const char kIconNtpDescription[] =
"Enable the experimental New Tab page using large icons.";
const char kIgnoreGpuBlacklistName[] = "Override software rendering list";
const char kIgnoreGpuBlacklistDescription[] =
"Overrides the built-in software rendering list and enables "
"GPU-acceleration on unsupported system configurations.";
const char kIgnorePreviewsBlacklistName[] = "Ignore Previews Blocklist";
const char kIgnorePreviewsBlacklistDescription[] =
"Ignore decisions made by the PreviewsBlockList";
const char kIgnoreLitePageRedirectHintsBlacklistName[] =
"Ignore Lite Page Redirect Preview Optimization Hints Blacklist";
const char kIgnoreLitePageRedirectHintsBlacklistDescription[] =
"Ignore blacklist decisions made by Optimization Hints for Lite Page "
"Redirect previews";
const char kInProductHelpDemoModeChoiceName[] = "In-Product Help Demo Mode";
const char kInProductHelpDemoModeChoiceDescription[] =
"Selects the In-Product Help demo mode.";
const char kJavascriptHarmonyName[] = "Experimental JavaScript";
const char kJavascriptHarmonyDescription[] =
"Enable web pages to use experimental JavaScript features.";
const char kJavascriptHarmonyShippingName[] =
"Latest stable JavaScript features";
const char kJavascriptHarmonyShippingDescription[] =
"Some web pages use legacy or non-standard JavaScript extensions that may "
"conflict with the latest JavaScript features. This flag allows disabling "
"support of those features for compatibility with such pages.";
const char kKeepAliveRendererForKeepaliveRequestsName[] =
"Keep a renderer alive for keepalive fetch requests";
const char kKeepAliveRendererForKeepaliveRequestsDescription[] =
"Keep a render process alive when the process has a pending fetch request "
"with `keepalive' specified.";
const char kLegacyTLSWarningsName[] =
"Show security warnings for sites using legacy TLS versions";
const char kLegacyTLSWarningsDescription[] =
"Show security warnings for sites that use legacy TLS versions (TLS 1.0 "
"and TLS 1.1), which are deprecated and will be removed in the future.";
const char kLoadMediaRouterComponentExtensionName[] =
"Load Media Router Component Extension";
const char kLoadMediaRouterComponentExtensionDescription[] =
"Loads the Media Router component extension at startup.";
const char kLogJsConsoleMessagesName[] =
"Log JS console messages in system logs";
const char kLogJsConsoleMessagesDescription[] =
"Enable logging JS console messages in system logs, please note that they "
"may contain PII.";
const char kLookalikeUrlNavigationSuggestionsName[] =
"Navigation suggestions for lookalike URLs";
const char kLookalikeUrlNavigationSuggestionsDescription[] =
"Enable navigation suggestions for URLs that are visually similar to "
"popular domains or to domains with a site engagement score.";
const char kMarkHttpAsName[] = "Mark non-secure origins as non-secure";
const char kMarkHttpAsDescription[] = "Change the UI treatment for HTTP pages";
extern const char kMediaInspectorLoggingName[] =
"Enable media log in developer tools";
extern const char kMediaInspectorLoggingDescription[] =
"Move media logging from chrome://media-internals into the developer tools "
"project; #enable-devtools-experiments must also be enabled as well on "
"desktop platforms";
const char kMediaRouterCastAllowAllIPsName[] =
"Connect to Cast devices on all IP addresses";
const char kMediaRouterCastAllowAllIPsDescription[] =
"Have the Media Router connect to Cast devices on all IP addresses, not "
"just RFC1918/RFC4193 private addresses.";
const char kMimeHandlerViewInCrossProcessFrameName[] =
"MimeHandlerView in cross-process frame";
const char kMimeHandlerViewInCrossProcessFrameDescription[] =
"Loads the MimeHandlerView (the extension viewer for certain MIME types "
"such as PDF) in a cross-process frame as opposed to a BrowserPlugin.";
const char kMixBrowserTypeTabsName[] = "Mix browser type tabs";
const char kMixBrowserTypeTabsDescription[] =
"Allows tabs to be dragged between any browsers that support tabs, "
"including apps";
const char kMixedContentSiteSettingName[] =
"Blockable mixed content switch as site setting";
const char kMixedContentSiteSettingDescription[] =
"Removes the blockable mixed content shield, and adds an 'Insecure "
"Content' site setting to allow blockable mixed content.";
const char kMobileIdentityConsistencyName[] = "Mobile identity consistency";
const char kMobileIdentityConsistencyDescription[] =
"Enables stronger identity consistency on mobile";
const char kMouseSubframeNoImplicitCaptureName[] =
"Disable mouse implicit capture for iframe";
const char kMouseSubframeNoImplicitCaptureDescription[] =
"When enable, mouse down does not implicit capture for iframe.";
const char kNativeFileSystemAPIName[] = "Native File System API";
const char kNativeFileSystemAPIDescription[] =
"Enables the experimental Native File System API, giving websites access "
"to the native file system";
const char kNewAudioRenderingMixingStrategyName[] =
"New audio rendering mixing strategy";
const char kNewAudioRenderingMixingStrategyDescription[] =
"Use the new audio rendering mixing strategy.";
const char kNewBookmarkAppsName[] = "The new bookmark app system";
const char kNewBookmarkAppsDescription[] =
"Enables the new system for creating bookmark apps.";
const char kNewPasswordFormParsingName[] =
"New password form parsing for filling passwords";
const char kNewPasswordFormParsingDescription[] =
"Replaces existing form parsing for filling in password manager with a new "
"version, currently under development. WARNING: when enabled, Password "
"Manager might stop working";
const char kNewPasswordFormParsingForSavingName[] =
"New password form parsing for saving passwords";
const char kNewPasswordFormParsingForSavingDescription[] =
"Replaces existing form parsing for saving in password manager with a new "
"version, currently under development. WARNING: when enabled, Password "
"Manager might stop working";
const char kUseSurfaceLayerForVideoName[] =
"Enable the use of SurfaceLayer objects for videos.";
const char kUseSurfaceLayerForVideoDescription[] =
"Enable compositing onto a Surface instead of a VideoLayer "
"for videos.";
const char kNewUsbBackendName[] = "Enable new USB backend";
const char kNewUsbBackendDescription[] =
"Enables the new experimental USB backend for Windows.";
const char kNewblueName[] = "Newblue";
const char kNewblueDescription[] =
"Enables the use of Bluetooth dispatcher daemon.";
const char kNewTabstripAnimationName[] = "New tabstrip animations";
const char kNewTabstripAnimationDescription[] =
"New implementation of tabstrip animations.";
const char kNotificationIndicatorName[] = "Notification Indicators";
const char kNotificationIndicatorDescription[] =
"Enable notification indicators, which appear on app icons when a "
"notification is active. This will also enable notifications in context "
"menus.";
const char kNotificationSchedulerDebugOptionName[] =
"Notification scheduler debug options";
const char kNotificationSchedulerDebugOptionDescription[] =
"Enable debugging mode to override certain behavior of notification "
"scheduler system for easier manual testing.";
const char kNotificationSchedulerImmediateBackgroundTaskDescription[] =
"Show scheduled notification right away.";
const char kNotificationsNativeFlagName[] = "Enable native notifications.";
const char kNotificationsNativeFlagDescription[] =
"Enable support for using the native notification toasts and notification "
"center on platforms where these are available.";
const char kUpdateHoverAtBeginFrameName[] = "Update hover at the begin frame";
const char kUpdateHoverAtBeginFrameDescription[] =
"Recompute hover state at BeginFrame for layout and scroll based mouse "
"moves, rather than old timing-based mechanism.";
const char kUseMultiloginEndpointName[] = "Use Multilogin endpoint.";
const char kUseMultiloginEndpointDescription[] =
"Use Gaia OAuth multilogin for identity consistency.";
const char kOfferStoreUnmaskedWalletCardsName[] =
"Google Payments card saving checkbox";
const char kOfferStoreUnmaskedWalletCardsDescription[] =
"Show the checkbox to offer local saving of a credit card downloaded from "
"the server.";
const char kOmniboxAutocompleteTitlesName[] = "Omnibox Autocomplete Titles";
const char kOmniboxAutocompleteTitlesDescription[] =
"Allows autocompleting bookmark, history, and document suggestions when the"
" user input is a prefix of their titles, as opposed to their URLs.";
const char kOmniboxDisplayTitleForCurrentUrlName[] =
"Include title for the current URL in the omnibox";
const char kOmniboxDisplayTitleForCurrentUrlDescription[] =
"In the event that the omnibox provides suggestions on-focus, the URL of "
"the current page is provided as the first suggestion without a title. "
"Enabling this flag causes the title to be displayed.";
const char kOmniboxDisableInstantExtendedLimitName[] =
"Disable the 'instant extended' limit on search suggestions";
const char kOmniboxDisableInstantExtendedLimitDescription[] =
"Effectively doubles the max number of Google-provided search suggestions "
"on Android by disabling the 'Instant Extended' check.";
const char kOmniboxExperimentalSuggestScoringName[] =
"Omnibox Experimental Suggest Scoring";
const char kOmniboxExperimentalSuggestScoringDescription[] =
"Enables an experimental scoring mode for suggestions when Google is the "
"default search engine.";
const char kOmniboxGroupSuggestionsBySearchVsUrlName[] =
"Omnibox Group Suggestions By Search vs URL";
const char kOmniboxGroupSuggestionsBySearchVsUrlDescription[] =
"Group suggestions by major type, search then navigation, except for "
"the default match which must be first.";
const char kOmniboxLocalEntitySuggestionsName[] =
"Omnibox Local Entity Suggestions";
const char kOmniboxLocalEntitySuggestionsDescription[] =
"Enables location specific suggestions displayed with images and enhanced "
"layout, similar to #omnibox-rich-entity-suggestions. Enabling this feature"
"will also enable #omnibox-rich-entity-suggestions.";
const char kOmniboxMaterialDesignWeatherIconsName[] =
"Omnibox Material Design Weather Icons";
const char kOmniboxMaterialDesignWeatherIconsDescription[] =
"Use material design weather icons in the omnibox when displaying weather "
"answers.";
const char kOmniboxOnFocusSuggestionsName[] = "Omnibox on-focus suggestions";
const char kOmniboxOnFocusSuggestionsDescription[] =
"Configures Omnibox on-focus suggestions - suggestions displayed on-focus "
"before the user has typed any input";
const char kOmniboxRemoveSuggestionsFromClipboardName[] =
"Omnibox remove suggestions from clipboard";
const char kOmniboxRemoveSuggestionsFromClipboardDescription[] =
"Allow users to remove suggestions from clipboard.";
const char kOmniboxRichEntitySuggestionsName[] =
"Omnibox rich entity suggestions";
const char kOmniboxRichEntitySuggestionsDescription[] =
"Display entity suggestions using images and an enhanced layout; showing "
"more context and descriptive text about the entity.";
const char kOmniboxSearchEngineLogoName[] = "Omnibox search engine logo";
const char kOmniboxSearchEngineLogoDescription[] =
"Display the current default search engine's logo in the omnibox";
const char kOmniboxSpareRendererName[] =
"Start spare renderer on omnibox focus";
const char kOmniboxSpareRendererDescription[] =
"When the omnibox is focused, start an empty spare renderer. This can "
"speed up the load of the navigation from the omnibox.";
const char kOmniboxUIHideSteadyStateUrlSchemeName[] =
"Omnibox UI Hide Steady-State URL Scheme";
const char kOmniboxUIHideSteadyStateUrlSchemeDescription[] =
"In the omnibox, hide the scheme from steady state displayed URLs. It is "
"restored during editing.";
const char kOmniboxUIOneClickUnelideName[] = "Omnibox UI One Click Unelide";
const char kOmniboxUIOneClickUnelideDescription[] =
"In the omnibox, undo all unelisions with a single click or focus action.";
const char kOmniboxUIHideSteadyStateUrlTrivialSubdomainsName[] =
"Omnibox UI Hide Steady-State URL Trivial Subdomains";
const char kOmniboxUIHideSteadyStateUrlTrivialSubdomainsDescription[] =
"In the omnibox, hide trivial subdomains from steady state displayed URLs. "
"Hidden portions are restored during editing.";
const char kOmniboxUIHideSteadyStateUrlPathQueryAndRefName[] =
"Omnibox UI Hide Steady-State URL Path, Query, and Ref";
const char kOmniboxUIHideSteadyStateUrlPathQueryAndRefDescription[] =
"In the omnibox, hide the path, query and ref from steady state displayed "
"URLs. Hidden portions are restored during editing.";
const char kOmniboxUIMaxAutocompleteMatchesName[] =
"Omnibox UI Max Autocomplete Matches";
const char kOmniboxUIMaxAutocompleteMatchesDescription[] =
"Changes the maximum number of autocomplete matches displayed in the "
"Omnibox UI.";
const char kOmniboxMaxURLMatchesName[] = "Omnibox Max URL Matches";
const char kOmniboxMaxURLMatchesDescription[] =
"The maximum number of URL matches to show, unless there are no "
"replacements.";
const char kOmniboxOnDeviceHeadSuggestionsName[] =
"Omnibox on device head suggestions";
const char kOmniboxOnDeviceHeadSuggestionsDescription[] =
"Google head non personalized search suggestions provided by a compact on "
"device model";
const char kOmniboxPreserveDefaultMatchAgainstAsyncUpdateName[] =
"Omnibox Preserve Default Match Against Async Update";
const char kOmniboxPreserveDefaultMatchAgainstAsyncUpdateDescription[] =
"Preserves the default match against change when providers return results "
"asynchronously. This prevents the default match from changing after the "
"user finishes typing. Without this feature, if the default match is "
"updated right when the user presses Enter, the user may go to a "
"surprising destination.";
const char kOmniboxUIShowSuggestionFaviconsName[] =
"Omnibox UI Show Suggestion Favicons";
const char kOmniboxUIShowSuggestionFaviconsDescription[] =
"Shows favicons instead of generic vector icons for URL suggestions in the "
"Omnibox dropdown.";
const char kOmniboxUISwapTitleAndUrlName[] = "Omnibox UI Swap Title and URL";
const char kOmniboxUISwapTitleAndUrlDescription[] =
"In the omnibox dropdown, shows titles before URLs when both are "
"available.";
const char kOmniboxZeroSuggestionsOnNTPName[] =
"Omnibox Zero Suggestions on New Tab Page";
const char kOmniboxZeroSuggestionsOnNTPDescription[] =
"Offer suggestions when URL bar (omnibox) is focused.";
const char kOmniboxZeroSuggestionsOnNTPRealboxName[] =
"Zero Suggestions in real search box on New Tab Page";
const char kOmniboxZeroSuggestionsOnNTPRealboxDescription[] =
"Offer suggestions when the real search box on New Tab Page is focused.";
const char kOmniboxZeroSuggestionsOnSERPName[] =
"Omnibox Zero Suggestions on SERP / On-Focus Query Refinement";
const char kOmniboxZeroSuggestionsOnSERPDescription[] =
"Offer query refinement suggestions when the URL bar (omnibox) is focused "
"on the default search provider's search results page (SERP).";
const char kOnlyNewPasswordFormParsingName[] =
"Use only new password form parsing";
const char kOnlyNewPasswordFormParsingDescription[] =
"The old password form parsing is disabled";
const char kOnTheFlyMhtmlHashComputationName[] =
"On-The-Fly MHTML Hash Computation";
const char kOnTheFlyMhtmlHashComputationDescription[] =
"Save MHTML files to the target location and calculate their content "
"digests in one step.";
const char kOopRasterizationName[] = "Out of process rasterization";
const char kOopRasterizationDescription[] =
"Perform Ganesh raster in the GPU Process instead of the renderer. "
"Must also enable GPU rasterization";
const char kEnableDeJellyName[] = "Experimental de-jelly effect";
const char kEnableDeJellyDescription[] =
"Enables an experimental effect which attempts to mitigate "
"\"jelly-scrolling\". This is an experimental implementation with known "
"bugs, visual artifacts, and performance cost. This implementation may be "
"removed at any time.";
const char kOverlayNewLayoutName[] = "Overlay new layout";
const char kOverlayNewLayoutDescription[] =
"Enables a new layout for the "
"Overlay panels including Contextual Search and Preview Tab.";
const char kOverlayScrollbarsName[] = "Overlay Scrollbars";
const char kOverlayScrollbarsDescription[] =
"Enable the experimental overlay scrollbars implementation. You must also "
"enable threaded compositing to have the scrollbars animate.";
const char kOverlayScrollbarsFlashAfterAnyScrollUpdateName[] =
"Flash Overlay Scrollbars After Any Scroll Update";
const char kOverlayScrollbarsFlashAfterAnyScrollUpdateDescription[] =
"Flash Overlay Scrollbars After any scroll update happends in page. You"
" must also enable Overlay Scrollbars.";
const char kOverlayScrollbarsFlashWhenMouseEnterName[] =
"Flash Overlay Scrollbars When Mouse Enter";
const char kOverlayScrollbarsFlashWhenMouseEnterDescription[] =
"Flash Overlay Scrollbars When Mouse Enter a scrollable area. You must also"
" enable Overlay Scrollbars.";
const char kOverlayStrategiesName[] = "Select HW overlay strategies";
const char kOverlayStrategiesDescription[] =
"Select strategies used to promote quads to HW overlays.";
const char kOverlayStrategiesDefault[] = "Default";
const char kOverlayStrategiesNone[] = "None";
const char kOverlayStrategiesUnoccludedFullscreen[] =
"Unoccluded fullscreen buffers (single-fullscreen)";
const char kOverlayStrategiesUnoccluded[] =
"Unoccluded buffers (single-fullscreen,single-on-top)";
const char kOverlayStrategiesOccludedAndUnoccluded[] =
"Occluded and unoccluded buffers "
"(single-fullscreen,single-on-top,underlay)";
const char kUseNewAcceptLanguageHeaderName[] = "Use new Accept-Language header";
const char kUseNewAcceptLanguageHeaderDescription[] =
"Adds the base language code after other corresponding language+region "
"codes. This ensures that users receive content in their preferred "
"language.";
const char kOverscrollHistoryNavigationName[] = "Overscroll history navigation";
const char kOverscrollHistoryNavigationDescription[] =
"History navigation in response to horizontal overscroll.";
const char kTouchpadOverscrollHistoryNavigationName[] =
"Overscroll history navigation on Touchpad";
const char kTouchpadOverscrollHistoryNavigationDescription[] =
"Allows swipe left/right from touchpad change browser navigation.";
const char kParallelDownloadingName[] = "Parallel downloading";
const char kParallelDownloadingDescription[] =
"Enable parallel downloading to accelerate download speed.";
const char kPassiveEventListenerDefaultName[] =
"Passive Event Listener Override";
const char kPassiveEventListenerDefaultDescription[] =
"Forces touchstart, touchmove, mousewheel and wheel event listeners (which "
"haven't requested otherwise) to be treated as passive. This will break "
"touch/wheel behavior on some websites but is useful for demonstrating the "
"potential performance benefits of adopting passive event listeners.";
const char kPassiveEventListenerTrue[] = "True (when unspecified)";
const char kPassiveEventListenerForceAllTrue[] = "Force All True";
const char kPassiveEventListenersDueToFlingName[] =
"Touch Event Listeners Passive Default During Fling";
const char kPassiveEventListenersDueToFlingDescription[] =
"Forces touchstart, and first touchmove per scroll event listeners during "
"fling to be treated as passive.";
const char kPassiveDocumentEventListenersName[] =
"Document Level Event Listeners Passive Default";
const char kPassiveDocumentEventListenersDescription[] =
"Forces touchstart, and touchmove event listeners on document level "
"targets (which haven't requested otherwise) to be treated as passive.";
const char kPassiveDocumentWheelEventListenersName[] =
"Document Level Wheel Event Listeners Passive Default";
const char kPassiveDocumentWheelEventListenersDescription[] =
"Forces wheel, and mousewheel event listeners on document level targets "
"(which haven't requested otherwise) to be treated as passive.";
const char kPassiveMixedContentWarningName[] =
"Warning for Passive Mixed Content";
const char kPassiveMixedContentWarningDescription[] =
"Causes a 'Not Secure' chip to be shown in the omnibox if a site contains "
"passive (aka optionally blockable) mixed content.";
const char kPasswordEditingAndroidName[] = "Password editing for Android";
const char kPasswordEditingAndroidDescription[] =
"Adds the editing option for saved passwords.";
const char kPasswordImportName[] = "Password import";
const char kPasswordImportDescription[] =
"Import functionality in password settings.";
const char kPasswordLeakDetectionName[] = "Password Leak Detection";
const char kPasswordLeakDetectionDescription[] =
"Enables the detection of leaked passwords.";
const char kForceWebContentsDarkModeName[] = "Force Dark Mode for Web Contents";
const char kForceWebContentsDarkModeDescription[] =
"Automatically render all web contents using a dark theme.";
const char kForcedColorsName[] = "Forced Colors";
const char kForcedColorsDescription[] =
"Enables forced colors mode for web content.";
const char kPercentBasedScrollingName[] = "Percent-based Scrolling";
const char kPercentBasedScrollingDescription[] =
"If enabled, mousewheel and keyboard scrolls will scroll by a percentage "
"of the scroller size.";
const char kPeriodicBackgroundSyncName[] = "Periodic Background Sync";
const char kPeriodicBackgroundSyncDescription[] =
"If enabled, web apps can periodically sync content in the background.";
const char kPerMethodCanMakePaymentQuotaName[] =
"Per-method canMakePayment() quota.";
const char kPerMethodCanMakePaymentQuotaDescription[] =
"Allow calling canMakePayment() for different payment methods, as long as "
"method-specific parameters remain unchanged.";
const char kPointerLockOptionsName[] = "Enables pointer lock options";
const char kPointerLockOptionsDescription[] =
"Enables pointer lock unadjustedMovement. When unadjustedMovement is set "
"to true, pointer movements wil not be affected by the underlying platform "
"modications such as mouse accelaration.";
const char kPolicyAtomicGroupsEnabledName[] = "Policy Atomic Groups Enabled";
const char kPolicyAtomicGroupsEnabledDescription[] =
"Enables the concept of policy atomic groups that makes policies of an "
"atomic group that do not share the highest priority source from that group"
"ignored.";
const char kPreviewsAllowedName[] = "Previews Allowed";
const char kPreviewsAllowedDescription[] =
"Allows previews to be shown subject to specific preview types being "
"enabled and the client experiencing specific triggering conditions. "
"May be used as a kill-switch to turn off all potential preview types.";
const char kPrintPdfAsImageName[] = "Print Pdf as Image";
const char kPrintPdfAsImageDescription[] =
"If enabled, an option to print PDF files as images will be available in "
"print preview.";
const char kPrintPreviewRegisterPromosName[] =
"Print Preview Registration Promos";
const char kPrintPreviewRegisterPromosDescription[] =
"Enable registering unregistered cloud printers from print preview.";
const char kPrivacySettingsRedesignName[] = "Privacy Settings Redesign";
const char kPrivacySettingsRedesignDescription[] =
"Redesign of the privacy settings card to make it more prominent and "
"and easier to use.";
const char kProminentDarkModeActiveTabTitleName[] =
"Prominent Dark Mode Active Tab Titles";
const char kProminentDarkModeActiveTabTitleDescription[] =
"Makes the active tab title in dark mode bolder so the active tab is "
"easier "
"to identify.";
const char kPullToRefreshName[] = "Pull-to-refresh gesture";
const char kPullToRefreshDescription[] =
"Pull-to-refresh gesture in response to vertical overscroll.";
const char kPullToRefreshEnabledTouchscreen[] = "Enabled for touchscreen only";
const char kQueryInOmniboxName[] = "Query in Omnibox";
const char kQueryInOmniboxDescription[] =
"Only display query terms in the omnibox when viewing a search results "
"page.";
const char kQuicName[] = "Experimental QUIC protocol";
const char kQuicDescription[] = "Enable experimental QUIC protocol support.";
const char kQuietNotificationPromptsName[] =
"Quieter notification permission prompts";
const char kQuietNotificationPromptsDescription[] =
"Enables quieter permission prompts for notification permission requests. "
"When a site wishes to show notifications, the usual modal dialog is "
"replaced with a quieter version.";
const char kReducedReferrerGranularityName[] =
"Reduce default 'referer' header granularity.";
const char kReducedReferrerGranularityDescription[] =
"If a page hasn't set an explicit referrer policy, setting this flag will "
"reduce the amount of information in the 'referer' header for cross-origin "
"requests.";
const char kRewriteLevelDBOnDeletionName[] =
"Rewrite LevelDB instances after full deletions";
const char kRewriteLevelDBOnDeletionDescription[] =
"Rewrite LevelDB instances to remove traces of deleted data from disk.";
const char kRendererSideResourceSchedulerName[] =
"Renderer side ResourceScheduler";
const char kRendererSideResourceSchedulerDescription[] =
"Migrate some ResourceScheduler functionalities to renderer";
const char kReorderBookmarksName[] = "Reorder bookmarks";
const char kReorderBookmarksDescription[] =
"Allows the user to reorder their bookmarks from their Android device. "
"The bookmark ordering will be synced across devices.";
const char kRequestUnbufferedDispatchName[] = "Use RequestUnbufferedDispatch";
const char kRequestUnbufferedDispatchDescription[] =
"Calls RequestUnbufferedDispatch in the Android API to disable buffering "
"of input by the OS.";
const char kRequestTabletSiteName[] =
"Request tablet site option in the settings menu";
const char kRequestTabletSiteDescription[] =
"Allows the user to request tablet site. Web content is often optimized "
"for tablet devices. When this option is selected the user agent string is "
"changed to indicate a tablet device. Web content optimized for tablets is "
"received there after for the current tab.";
const char kPrefetchPrivacyChangesName[] =
"Prefetch request properties are updated to be privacy-preserving";
const char kPrefetchPrivacyChangesDescription[] =
"Prefetch requests will not follow redirects, not send a Referer header, "
"not send credentials for cross-origin requests, and do not pass through "
"service workers.";
const char kPrefetchMainResourceNetworkIsolationKeyName[] =
"Prefetch requests for cross-origin main resources are fetched with a "
"special NetworkIsolationKey";
const char kPrefetchMainResourceNetworkIsolationKeyDescription[] =
"Prefetch requests for cross-origin main resources can be reused by next "
"top-level navigations when HTTP cache is double-keyed.";
const char kSafetyTipName[] =
"Show Safety Tip UI when visiting low-reputation websites";
const char kSafetyTipDescription[] =
"If enabled, a Safety Tip UI may be displayed when visiting or interacting "
"with a site Chrome believes may be suspicious.";
const char kSameSiteByDefaultCookiesName[] = "SameSite by default cookies";
const char kSameSiteByDefaultCookiesDescription[] =
"Treat cookies that don't specify a SameSite attribute as if they were "
"SameSite=Lax. Sites must specify SameSite=None in order to enable "
"third-party usage.";
const char kSaveasMenuLabelExperimentName[] =
"Switch 'Save as' menu labels to 'Download'";
const char kSaveasMenuLabelExperimentDescription[] =
"Enables an experiment to switch menu labels that use 'Save as...' to "
"'Download'.";
const char kScalableAppListName[] =
"App list UI configuration dependant on display size";
const char kScalableAppListDescription[] =
"Adapts app list item sizing and spacing for smaller screen sizes, "
"instead of using single app list configuration, that is optionally "
"scaled down, for all screens.";
const char kScrollableTabStripName[] = "Scrollable TabStrip";
const char kScrollableTabStripDescription[] =
"Allows users to access tabs by scrolling when they no longer fit in the "
"tabstrip.";
const char kSecurityInterstitialsDarkModeName[] =
"Security interstitials dark mode";
const char kSecurityInterstitialsDarkModeDescription[] =
"Allows security intersitials to take on a dark theme when the OS is "
"switched to dark mode.";
const char kSendTabToSelfName[] = "Send tab to self";
const char kSendTabToSelfDescription[] =
"Allows users to receive tabs from other synced devices, in order to "
"easily transition those tabs to this device. This enables the sync "
"infrastructure for this feature.";
const char kSendTabToSelfBroadcastName[] = "Send tab to self broadcast";
const char kSendTabToSelfBroadcastDescription[] =
"Allows users to broadcast the tab they send to all of their devices "
"instead of targetting only one device.";
const char kSendTabToSelfWhenSignedInName[] =
"Send tab to self: enable use when signed-in regardless of sync state";
const char kSendTabToSelfWhenSignedInDescription[] =
"Allows use of the send-tab-to-self feature for users who are signed-in "
"but not necessarily syncing. The tab-share data is thus ephemeral, "
"rather than persistent sync data.";
const char kServiceWorkerImportedScriptUpdateCheckName[] =
"Enable update check for service worker importScripts() resources";
const char kServiceWorkerImportedScriptUpdateCheckDescription[] =
"Extend byte-for-byte update check for scripts that are imported by the "
"service worker script via importScripts().";
const char kServiceWorkerLongRunningMessageName[] =
"Service worker long running message dispatch.";
const char kServiceWorkerLongRunningMessageDescription[] =
"Enables long running message dispatch method for service workers. "
"Messages sent with this method do not timeout, allowing the service "
"worker to run indefinitely.";
const char kServiceWorkerOnUIName[] = "Service worker on UI thread";
const char kServiceWorkerOnUIDescription[] =
"Enables browser process logic related to service workers to run on the UI "
"thread rather than the IO thread.";
const char kSettingsWindowName[] = "Show settings in a window";
const char kSettingsWindowDescription[] =
"Settings will be shown in a dedicated window instead of as a browser tab.";
const char kSharedClipboardReceiverName[] =
"Enable receiver device to handle shared clipboard feature";
const char kSharedClipboardReceiverDescription[] =
"Enables receiver device to handle shared clipboard feature by showing a "
"notification to receive the clipboard to share.";
const char kSharedClipboardUIName[] =
"Enable shared clipboard feature signals to be handled";
const char kSharedClipboardUIDescription[] =
"Enables shared clipboard feature signals to be handled by showing "
"a list of user's available devices to share the clipboard.";
const char kSharingPeerConnectionReceiverName[] =
"Enable receiver device to handle peer connection requests.";
const char kSharingPeerConnectionReceiverDescription[] =
"Enables receiver device to connect and share data using a peer to peer "
"connection.";
const char kSharingPeerConnectionSenderName[] =
"Enable sender device to initiate peer connection requests.";
const char kSharingPeerConnectionSenderDescription[] =
"Enables the sender devices to connect with chosen device using a peer to "
"peer connection for transferring data.";
const char kSharingRenameDevicesName[] =
"Enable device renaming in Sharing features.";
const char kSharingRenameDevicesDescription[] =
"Enables renaming devices using HardwareInfo when populating device list "
"and sender device info.";
const char kSharingUseDeviceInfoName[] =
"Enable Sharing device registration in DeviceInfo";
const char kSharingUseDeviceInfoDescription[] =
"Enables Sharing infrastructure to register devices in DeviceInfo.";
const char kSharingDeriveVapidKeyName[] =
"Enable Sharing derive VAPID key from sync";
const char kSharingDeriveVapidKeyDescription[] =
"Enables Sharing infrastructure to derive VAPID key from sync.";
const char kShelfHotseatName[] = "Enable a modular design for the shelf.";
const char kShelfHotseatDescription[] =
"Shows a modular design for the shelf where the apps are shown separately "
"in a 'hotseat' interface when in tablet mode, and where various pieces "
"are separate and behave independently. Also reduces the size of the"
"shelf and its app when in laptop mode.";
const char kShelfHoverPreviewsName[] =
"Show previews of running apps when hovering over the shelf.";
const char kShelfHoverPreviewsDescription[] =
"Shows previews of the open windows for a given running app when hovering "
"over the shelf.";
const char kShelfScrollableName[] =
"Enable a scrollable list of apps on the shelf";
const char kShelfScrollableDescription[] =
"Shows a list of applications that is scrollable by default on tablets.";
const char kShowAndroidFilesInFilesAppName[] =
"Show Android files in Files app";
const char kShowAndroidFilesInFilesAppDescription[] =
"Show Android files in Files app if Android is enabled on the device.";
const char kShowAutofillSignaturesName[] = "Show autofill signatures.";
const char kShowAutofillSignaturesDescription[] =
"Annotates web forms with Autofill signatures as HTML attributes. Also "
"marks password fields suitable for password generation.";
const char kShowAutofillTypePredictionsName[] = "Show Autofill predictions";
const char kShowAutofillTypePredictionsDescription[] =
"Annotates web forms with Autofill field type predictions as placeholder "
"text.";
const char kSkiaRendererName[] = "Skia API for OOP-D compositing";
const char kSkiaRendererDescription[] =
"If enabled, the display compositor will use Skia as the graphics API "
"instead of OpenGL ES. Requires Viz Display Compositor (OOP-D).";
const char kHistoryManipulationIntervention[] =
"History Manipulation Intervention";
const char kHistoryManipulationInterventionDescription[] =
"If a page does a client side redirect or adds to the history without a "
"user gesture, then skip it on back/forward UI.";
const char kSilentDebuggerExtensionApiName[] = "Silent Debugging";
const char kSilentDebuggerExtensionApiDescription[] =
"Do not show the infobar when an extension attaches to a page via "
"chrome.debugger API. This is required to debug extension background "
"pages.";
const char kSimplifyHttpsIndicatorName[] = "Simplify HTTPS indicator UI";
const char kSimplifyHttpsIndicatorDescription[] =
"Change the UI treatment for HTTPS pages.";
const char kIsolateOriginsName[] = "Isolate additional origins";
const char kIsolateOriginsDescription[] =
"Requires dedicated processes for an additional set of origins, "
"specified as a comma-separated list.";
const char kKidsManagementUrlClassificationName[] =
"KidsMangement Url Classification";
const char kKidsManagementUrlClassificationDescription[] =
"Uses KidsManagementService to classify URLs for Kid Accounts.";
const char kSiteIsolationOptOutName[] = "Disable site isolation";
const char kSiteIsolationOptOutDescription[] =
"Disables site isolation "
"(SitePerProcess, IsolateOrigins, etc). Intended for diagnosing bugs that "
"may be due to out-of-process iframes. Opt-out has no effect if site "
"isolation is force-enabled using a command line switch or using an "
"enterprise policy. "
"Caution: this disables important mitigations for the Spectre CPU "
"vulnerability affecting most computers.";
const char kSiteIsolationOptOutChoiceDefault[] = "Default";
const char kSiteIsolationOptOutChoiceOptOut[] = "Disabled (not recommended)";
const char kSmoothScrollingName[] = "Smooth Scrolling";
const char kSmoothScrollingDescription[] =
"Animate smoothly when scrolling page content.";
const char kSmsReceiverCrossDeviceName[] = "SMS Receiver Cross Device";
const char kSmsReceiverCrossDeviceDescription[] =
"Enable the SMS Receiver API to work across devices";
const char kSpeculativeServiceWorkerStartOnQueryInputName[] =
"Enable speculative start of a service worker when a search is predicted.";
const char kSpeculativeServiceWorkerStartOnQueryInputDescription[] =
"If enabled, when the user enters text in the omnibox that looks like a "
"a query, any service worker associated with the search engine the query "
"will be sent to is started early.";
extern const char kStrictOriginIsolationName[] = "Strict-Origin-Isolation";
extern const char kStrictOriginIsolationDescription[] =
"Experimental security mode that strengthens the site isolation policy. "
"Controls whether site isolation should use origins instead of scheme and "
"eTLD+1.";
const char kStopInBackgroundName[] = "Stop in background";
const char kStopInBackgroundDescription[] =
"Stop scheduler task queues, in the background, "
" after a grace period.";
const char kStopNonTimersInBackgroundName[] =
"Stop non-timer task queues background";
const char kStopNonTimersInBackgroundDescription[] =
"Stop non-timer task queues, in the background, "
"after a grace period.";
const char kStorageAccessAPIName[] = "Storage Access API";
const char kStorageAccessAPIDescription[] =
"Enables the Storage Access API, allowing websites to request storage "
"access when it would otherwise be restricted.";
const char kStoragePressureUIName[] = "Enable storage pressure UI";
const char kStoragePressureUIDescription[] =
"If enabled, Chrome will trigger system notifications to warn about "
"storage pressure.";
const char kSuggestionsWithSubStringMatchName[] =
"Substring matching for Autofill suggestions";
const char kSuggestionsWithSubStringMatchDescription[] =
"Match Autofill suggestions based on substrings (token prefixes) rather "
"than just prefixes.";
const char kSyncDeviceInfoInTransportModeName[] =
"Enable syncing DeviceInfo in transport-only sync mode.";
const char kSyncDeviceInfoInTransportModeDescription[] =
"When enabled, allows syncing DeviceInfo datatype for users who are "
"signed-in but not necessary sync-ing.";
const char kSyncSandboxName[] = "Use Chrome Sync sandbox";
const char kSyncSandboxDescription[] =
"Connects to the testing server for Chrome Sync.";
const char kSystemKeyboardLockName[] = "Experimental system keyboard lock";
const char kSystemKeyboardLockDescription[] =
"Enables websites to use the keyboard.lock() API to intercept system "
"keyboard shortcuts and have the events routed directly to the website "
"when in fullscreen mode.";
const char kTabEngagementReportingName[] = "Tab Engagement Metrics";
const char kTabEngagementReportingDescription[] =
"Tracks tab engagement and lifetime metrics.";
const char kTabGridLayoutAndroidName[] = "Tab Grid Layout";
const char kTabGridLayoutAndroidDescription[] =
"Allows users to see their tabs in a grid layout in the tab switcher.";
const char kTabGroupsAndroidName[] = "Tab Groups";
const char kTabGroupsAndroidDescription[] =
"Allows users to create groups to better organize their tabs.";
const char kTabGroupsContinuationAndroidName[] = "Tab Groups Continuation";
const char kTabGroupsContinuationAndroidDescription[] =
"Allows users to access continuation features in Tab Group.";
const char kTabGroupsUiImprovementsAndroidName[] = "Tab Groups UI Improvements";
const char kTabGroupsUiImprovementsAndroidDescription[] =
"Allows users to access new features in Tab Group UI.";
const char kTabToGTSAnimationAndroidName[] = "Enable Tab-to-GTS Animation";
const char kTabToGTSAnimationAndroidDescription[] =
"Allows users to see an animation when entering or leaving the "
"Grid Tab Switcher.";
const char kTabGroupsName[] = "Tab Groups";
const char kTabGroupsDescription[] =
"Allows users to organize tabs into visually distinct groups, e.g. to "
"separate tabs associated with different tasks.";
const char kTabHoverCardsName[] = "Tab Hover Cards";
const char kTabHoverCardsDescription[] =
"Enables a popup containing tab information to be visible when hovering "
"over a tab. This will replace tooltips for tabs.";
const char kTabHoverCardImagesName[] = "Tab Hover Card Images";
const char kTabHoverCardImagesDescription[] =
"Shows a preview image in tab hover cards, if tab hover cards are enabled.";
const char kTabOutlinesInLowContrastThemesName[] =
"Tab Outlines in Low Contrast Themes";
const char kTabOutlinesInLowContrastThemesDescription[] =
"Expands the range of situations in which tab outline strokes are "
"displayed, improving accessiblity in dark and incognito mode.";
const char kTabsInCbdName[] = "Enable tabs for the Clear Browsing Data dialog.";
const char kTabsInCbdDescription[] =
"Enables a basic and an advanced tab for the Clear Browsing Data dialog.";
const char kTintGlCompositedContentName[] = "Tint GL-composited content";
const char kTintGlCompositedContentDescription[] =
"Tint contents composited using GL with a shade of red to help debug and "
"study overlay support.";
const char kTLS13HardeningForLocalAnchorsName[] =
"TLS 1.3 hardening for local anchors";
const char kTLS13HardeningForLocalAnchorsDescription[] =
"This option enables the TLS 1.3 downgrade hardening mechanism for "
"connections authenticated by local trust anchors. This improves security "
"for connections to TLS-1.3-capable servers while remaining compatible "
"with older servers. Firewalls and proxies that do not function when this "
"is enabled do not implement TLS 1.2 correctly or securely and must be "
"updated.";
const char kTopChromeTouchUiName[] = "Touch UI Layout";
const char kTopChromeTouchUiDescription[] =
"Enables touch UI layout in the browser's top chrome.";
const char kThreadedScrollingName[] = "Threaded scrolling";
const char kThreadedScrollingDescription[] =
"Threaded handling of scroll-related input events. Disabling this will "
"force all such scroll events to be handled on the main thread. Note that "
"this can dramatically hurt scrolling performance of most websites and is "
"intended for testing purposes only.";
const char kTouchAdjustmentName[] = "Touch adjustment";
const char kTouchAdjustmentDescription[] =
"Refine the position of a touch gesture in order to compensate for touches "
"having poor resolution compared to a mouse.";
const char kTouchDragDropName[] = "Touch initiated drag and drop";
const char kTouchDragDropDescription[] =
"Touch drag and drop can be initiated through long press on a draggable "
"element.";
const char kTouchEventsName[] = "Touch Events API";
const char kTouchEventsDescription[] =
"Force Touch Events API feature detection to always be enabled or "
"disabled, or to be enabled when a touchscreen is detected on startup "
"(Automatic).";
const char kTouchSelectionStrategyName[] = "Touch text selection strategy";
const char kTouchSelectionStrategyDescription[] =
"Controls how text selection granularity changes when touch text selection "
"handles are dragged. Non-default behavior is experimental.";
const char kTouchSelectionStrategyCharacter[] = "Character";
const char kTouchSelectionStrategyDirection[] = "Direction";
const char kTraceUploadUrlName[] = "Trace label for navigation tracing";
const char kTraceUploadUrlDescription[] =
"This is to be used in conjunction with the enable-navigation-tracing "
"flag. Please select the label that best describes the recorded traces. "
"This will choose the destination the traces are uploaded to. If you are "
"not sure, select other. If left empty, no traces will be uploaded.";
const char kTraceUploadUrlChoiceOther[] = "Other";
const char kTraceUploadUrlChoiceEmloading[] = "emloading";
const char kTraceUploadUrlChoiceQa[] = "QA";
const char kTraceUploadUrlChoiceTesting[] = "Testing";
const char kTranslateForceTriggerOnEnglishName[] =
"Select which language model to use to trigger translate on English "
"content";
const char kTranslateForceTriggerOnEnglishDescription[] =
"Force the Translate Triggering on English pages experiment to be enabled "
"with the selected language model active.";
const char kTranslateBubbleUIName[] =
"Select which UI to use for translate bubble";
const char kTranslateBubbleUIDescription[] =
"Three bubble options to choose. Existing UI is selected by default";
const char kTreatInsecureOriginAsSecureName[] =
"Insecure origins treated as secure";
const char kTreatInsecureOriginAsSecureDescription[] =
"Treat given (insecure) origins as secure origins. Multiple origins can be "
"supplied as a comma-separated list. Origins must have their protocol "
"specified e.g. \"http://example.com\". For the definition of secure "
"contexts, see https://w3c.github.io/webappsec-secure-contexts/";
const char kTreatUnsafeDownloadsAsActiveName[] =
"Treat risky downloads over insecure connections as active mixed content";
const char kTreatUnsafeDownloadsAsActiveDescription[] =
"Disallows downloads of unsafe files (files that can potentially execute "
"code), where the final download origin or any origin in the redirect "
"chain is insecure if the originating page is secure.";
const char kTrySupportedChannelLayoutsName[] =
"Causes audio output streams to check if channel layouts other than the "
"default hardware layout are available.";
const char kTrySupportedChannelLayoutsDescription[] =
"Causes audio output streams to check if channel layouts other than the "
"default hardware layout are available. Turning this on will allow the OS "
"to do stereo to surround expansion if supported. May expose third party "
"driver bugs, use with caution.";
const char kTurnOffStreamingMediaCachingName[] =
"Turn off caching of streaming media to disk.";
const char kTurnOffStreamingMediaCachingDescription[] =
"Reduces disk activity during media playback, which can result in "
"power savings.";
const char kUnexpireFlagsM78Name[] = "Temporarily unexpire M78 flags.";
const char kUnexpireFlagsM78Description[] =
"Temporarily unexpire flags that are expired as of M78. These flags will "
"be removed soon.";
const char kUnexpireFlagsM80Name[] = "Temporarily unexpire M80 flags.";
const char kUnexpireFlagsM80Description[] =
"Temporarily unexpire flags that are expired as of M80. These flags will "
"be removed soon.";
const char kUnsafeWebGPUName[] = "Unsafe WebGPU";
const char kUnsafeWebGPUDescription[] =
"Enables access to the experimental WebGPU API. Warning: As GPU sanboxing "
"isn't implemented yet for the WebGPU API, it is possible to read GPU data "
"for other processes.";
const char kUiPartialSwapName[] = "Partial swap";
const char kUiPartialSwapDescription[] = "Sets partial swap behavior.";
const char kUsernameFirstFlowName[] = "Username first flow";
const char kUsernameFirstFlowDescription[] =
"Support of username saving and filling on username first flow i.e. login "
"flows where a user has to type username first on one page and then "
"password on another page";
const char kUseSearchClickForRightClickName[] =
"Use Search+Click for right click";
const char kUseSearchClickForRightClickDescription[] =
"When enabled search+click will be remapped to right click, allowing "
"webpages and apps to consume alt+click. When disabled the legacy "
"behavior of remapping alt+click to right click will remain unchanged.";
const char kV8VmFutureName[] = "Future V8 VM features";
const char kV8VmFutureDescription[] =
"This enables upcoming and experimental V8 VM features. "
"This flag does not enable experimental JavaScript features.";
const char kWalletServiceUseSandboxName[] =
"Use Google Payments sandbox servers";
const char kWalletServiceUseSandboxDescription[] =
"For developers: use the sandbox service for Google Payments API calls.";
const char kWebBundlesName[] = "Web Bundles";
const char kWebBundlesDescription[] =
"Enables experimental supports for Web Bundles (Bundled HTTP Exchanges) "
"navigation.";
const char kWebglDraftExtensionsName[] = "WebGL Draft Extensions";
const char kWebglDraftExtensionsDescription[] =
"Enabling this option allows web applications to access the WebGL "
"Extensions that are still in draft status.";
const char kWebMidiName[] = "Web MIDI API";
const char kWebMidiDescription[] = "Enable Web MIDI API experimental support.";
const char kWebPaymentsExperimentalFeaturesName[] =
"Experimental Web Payments API features";
const char kWebPaymentsExperimentalFeaturesDescription[] =
"Enable experimental Web Payments API features";
const char kWebrtcCaptureMultiChannelApmName[] =
"WebRTC multi-channel capture audio processing.";
const char kWebrtcCaptureMultiChannelApmDescription[] =
"Support in WebRTC for processing capture audio in multi channel without "
"downmixing when running APM in the render process.";
const char kWebrtcHideLocalIpsWithMdnsName[] =
"Anonymize local IPs exposed by WebRTC.";
const char kWebrtcHideLocalIpsWithMdnsDecription[] =
"Conceal local IP addresses with mDNS hostnames.";
const char kWebrtcHybridAgcName[] = "WebRTC hybrid Agc2/Agc1.";
const char kWebrtcHybridAgcDescription[] =
"WebRTC Agc2 digital adaptation with Agc1 analog adaptation.";
const char kWebrtcHwDecodingName[] = "WebRTC hardware video decoding";
const char kWebrtcHwDecodingDescription[] =
"Support in WebRTC for decoding video streams using platform hardware.";
const char kWebrtcHwEncodingName[] = "WebRTC hardware video encoding";
const char kWebrtcHwEncodingDescription[] =
"Support in WebRTC for encoding video streams using platform hardware.";
const char kWebrtcNewEncodeCpuLoadEstimatorName[] =
"WebRTC new encode cpu load estimator";
const char kWebrtcNewEncodeCpuLoadEstimatorDescription[] =
"Enable new estimator for the encoder cpu load, for evaluation and "
"testing. Intended to improve accuracy when screen casting.";
const char kWebRtcRemoteEventLogName[] = "WebRTC remote-bound event logging";
const char kWebRtcRemoteEventLogDescription[] =
"Allow collecting WebRTC event logs and uploading them to Crash. "
"Please note that, even if enabled, this will still require "
"a policy to be set, for it to have an effect.";
const char kWebrtcSrtpAesGcmName[] =
"Negotiation with GCM cipher suites for SRTP in WebRTC";
const char kWebrtcSrtpAesGcmDescription[] =
"When enabled, WebRTC will try to negotiate GCM cipher suites for SRTP.";
const char kWebrtcStunOriginName[] = "WebRTC Stun origin header";
const char kWebrtcStunOriginDescription[] =
"When enabled, Stun messages generated by WebRTC will contain the Origin "
"header.";
#if BUILDFLAG(ENABLE_WEBUI_TAB_STRIP)
const char kWebUITabStripName[] = "WebUI tab strip";
const char kWebUITabStripDescription[] =
"When enabled makes use of a WebUI-based tab strip.";
const char kWebUITabStripDemoOptionsName[] = "WebUI tab strip demo options";
const char kWebUITabStripDemoOptionsDescription[] =
"When enabled, displays a set of options to demo and test various features "
"and behaviors of the WebUI tab strip. The WebUI tab strip must also be "
"enabled.";
#endif // BUILDFLAG(ENABLE_WEBUI_TAB_STRIP)
const char kWebXrName[] = "WebXR Device API";
const char kWebXrDescription[] =
"Enables access to experimental APIs to interact with Virtual Reality (VR) "
"and Augmented Reality (AR) devices.";
const char kWebXrArModuleName[] = "WebXR AR Module";
const char kWebXrArModuleDescription[] =
"Enables access to Augmented Reality features defined in the WebXR AR "
"Module";
const char kWebXrArDOMOverlayName[] = "WebXR AR DOM Overlay";
const char kWebXrArDOMOverlayDescription[] =
"Enables experimental use of a DOM overlay in WebXR AR sessions";
const char kWebXrAnchorsName[] = "WebXR Anchors";
const char kWebXrAnchorsDescription[] =
"Enables access to anchors via WebXR API.";
const char kWebXrHitTestName[] = "WebXR Hit Test";
const char kWebXrHitTestDescription[] =
"Enables access to raycasting against estimated XR scene geometry.";
const char kWebXrPlaneDetectionName[] = "WebXR Plane Detection";
const char kWebXrPlaneDetectionDescription[] =
"Enables access to planes detected in the user's environment.";
const char kZeroCopyName[] = "Zero-copy rasterizer";
const char kZeroCopyDescription[] =
"Raster threads write directly to GPU memory associated with tiles.";
const char kEnableVulkanName[] = "Vulkan";
const char kEnableVulkanDescription[] = "Use vulkan as the graphocs backend.";
// Android ---------------------------------------------------------------------
#if defined(OS_ANDROID)
const char kAiaFetchingName[] = "Intermediate Certificate Fetching";
const char kAiaFetchingDescription[] =
"Enable intermediate certificate fetching when a server does not provide "
"sufficient certificates to build a chain to a trusted root.";
const char kAndroidAutofillAccessibilityName[] = "Autofill Accessibility";
const char kAndroidAutofillAccessibilityDescription[] =
"Enable accessibility for autofill popup.";
const char kAndroidSetupSearchEngineName[] = "Android setup search engine";
const char kAndroidSetupSearchEngineDescription[] =
"Enables search engine selection at Android setup.";
const char kAndroidSurfaceControl[] = "Use Android SurfaceControl";
const char kAndroidSurfaceControlDescription[] =
"Use the SurfaceControl API for supporting overlays on Android";
const char kAppNotificationStatusMessagingName[] =
"App notification status messaging";
const char kAppNotificationStatusMessagingDescription[] =
"Enables messaging in site permissions UI informing user when "
"notifications are disabled for the entire app.";
const char kAsyncDnsName[] = "Async DNS resolver";
const char kAsyncDnsDescription[] = "Enables the built-in DNS resolver.";
const char kAutofillAccessoryViewName[] =
"Autofill suggestions as keyboard accessory view";
const char kAutofillAccessoryViewDescription[] =
"Shows Autofill suggestions on top of the keyboard rather than in a "
"dropdown.";
const char kAutofillTouchToFillName[] = "Touch To Fill UI for Passwords";
const char kAutofillTouchToFillDescription[] =
"Adds a Touch To Fill sheet to the keyboard accessory which will be shown "
"instead of the keyboard when a password can be filled.";
const char kAutofillUseMobileLabelDisambiguationName[] =
"Autofill Uses Mobile Label Disambiguation";
const char kAutofillUseMobileLabelDisambiguationDescription[] =
"When enabled, Autofill suggestions' labels are displayed using a "
"mobile-friendly format.";
const char kBackgroundTaskComponentUpdateName[] =
"Background Task Component Updates";
const char kBackgroundTaskComponentUpdateDescription[] =
"Schedule component updates with BackgroundTaskScheduler";
const char kCCTIncognitoName[] = "Chrome Custom Tabs Incognito mode";
const char kCCTIncognitoDescription[] =
"Enables incognito mode for Chrome Custom Tabs, on Android.";
const char kCCTModuleName[] = "Chrome Custom Tabs Module";
const char kCCTModuleDescription[] =
"Enables a dynamically loaded module in Chrome Custom Tabs, on Android.";
const char kCCTModuleCacheName[] = "Chrome Custom Tabs Module Cache";
const char kCCTModuleCacheDescription[] =
"Enables a cache for dynamically loaded modules in Chrome Custom Tabs. "
"Under mild memory pressure the cache may be retained for some time";
const char kCCTModuleCustomHeaderName[] =
"Chrome Custom Tabs Module Custom Header";
const char kCCTModuleCustomHeaderDescription[] =
"Enables header customization by dynamically loaded modules in "
"Chrome Custom Tabs.";
const char kCCTModuleCustomRequestHeaderName[] =
"Chrome Custom Tabs Module Custom Request Header";
const char kCCTModuleCustomRequestHeaderDescription[] =
"Enables a custom request header for URLs managed by dynamically loaded "
"modules in Chrome Custom Tabs.";
const char kCCTModuleDexLoadingName[] = "Chrome Custom Tabs Module Dex Loading";
const char kCCTModuleDexLoadingDescription[] =
"Enables loading Chrome Custom Tabs module code from a dex file "
"provided by the module.";
const char kCCTModulePostMessageName[] =
"Chrome Custom Tabs Module postMessage API";
const char kCCTModulePostMessageDescription[] =
"Enables the postMessage API exposed to dynamically loaded modules in "
"Chrome Custom Tabs.";
const char kCCTModuleUseIntentExtrasName[] =
"Chrome Custom Tabs Module Intent Extras Usage";
const char kCCTModuleUseIntentExtrasDescription[] =
"Enables usage of Intent's extras in Chrome Custom Tabs Module";
const char kCCTTargetTranslateLanguageName[] =
"Chrome Custom Tabs Target Translate Language";
const char kCCTTargetTranslateLanguageDescription[] =
"Enables specify target language the page should be translated to "
"in Chrome Custom Tabs.";
const char kChromeDuetName[] = "Chrome Duet";
const char kChromeDuetDescription[] =
"Enables Chrome Duet, split toolbar Chrome Home, on Android.";
const char kChromeDuetLabelsName[] = "Chrome Duet Labels";
const char kChromeDuetLabelsDescription[] =
"Enables Chrome Duet (split toolbar) labels.";
const char kChromeSharingHubName[] = "Chrome Sharing Hub";
const char kChromeSharingHubDescription[] =
"Enables the Chrome Sharing Hub/custom share sheet.";
const char kClearOldBrowsingDataName[] = "Clear older browsing data";
const char kClearOldBrowsingDataDescription[] =
"Enables clearing of browsing data which is older than a given time "
"period.";
const char kCloseTabSuggestionsName[] = "Suggest to close Tabs";
const char kCloseTabSuggestionsDescription[] =
"Suggests to the user to close Tabs that haven't been used beyond a "
"configurable threshold or where duplicates of Tabs exist. "
"The threshold is configurable.";
const char kContextualSearchDefinitionsName[] = "Contextual Search definitions";
const char kContextualSearchDefinitionsDescription[] =
"Enables tap-activated contextual definitions of words on a page to be "
"presented in the caption of the Tap to Search Bar.";
const char kContextualSearchLongpressResolveName[] =
"Contextual Search long-press Resolves";
const char kContextualSearchLongpressResolveDescription[] =
"Enables communicating with Google servers when a long-press gesture is "
"recognized under some privacy-limited conditions. The page context data "
" sent to Google is potentially privacy sensitive!";
const char kContextualSearchMlTapSuppressionName[] =
"Contextual Search ML tap suppression";
const char kContextualSearchMlTapSuppressionDescription[] =
"Enables tap gestures to be suppressed to improve CTR by applying machine "
"learning. The \"Contextual Search Ranker prediction\" flag must also be "
"enabled!";
const char kContextualSearchRankerQueryName[] =
"Contextual Search Ranker prediction";
const char kContextualSearchRankerQueryDescription[] =
"Enables prediction of tap gestures using Assist-Ranker machine learning.";
const char kContextualSearchSimplifiedServerName[] =
"Contextual Search simplified server logic";
const char kContextualSearchSimplifiedServerDescription[] =
"Enables simpler server-side logic for determining what data to return and "
"show in the Contextual Search UI. Option to allow all cards CoCa "
"returns.";
const char kContextualSearchSecondTapName[] =
"Contextual Search second tap triggering";
const char kContextualSearchSecondTapDescription[] =
"Enables triggering on a second tap gesture even when Ranker would "
"normally suppress that tap.";
const char kContextualSearchTranslationModelName[] =
"Contextual Search translation using the Chrome translate model.";
const char kContextualSearchTranslationModelDescription[] =
"Enables triggering translation in Contextual Search according to the "
"Chrome translation model semantics.";
const char kDirectActionsName[] = "Direct actions";
const char kDirectActionsDescription[] =
"Enables direct actions (Android Q and more).";
const char kDownloadRenameName[] = "Enable download rename";
const char kDownloadRenameDescription[] = "Enables rename option for downloads";
const char kAutofillManualFallbackAndroidName[] =
"Enable Autofill manual fallback for Addresses and Payments (Android)";
const char kAutofillManualFallbackAndroidDescription[] =
"If enabled, adds toggle for addresses and payments bottom sheet to the "
"keyboard accessory.";
const char kEnableAutofillRefreshStyleName[] =
"Enable Autofill refresh style (Android)";
const char kEnableAutofillRefreshStyleDescription[] =
"Enable modernized style for Autofill on Android";
const char kEnableAndroidSpellcheckerName[] = "Enable spell checking";
const char kEnableAndroidSpellcheckerDescription[] =
"Enables use of the Android spellchecker.";
const char kEnableCommandLineOnNonRootedName[] =
"Enable command line on non-rooted devices";
const char kEnableCommandLineOnNoRootedDescription[] =
"Enable reading command line file on non-rooted devices (DANGEROUS).";
const char kEnableRevampedContextMenuName[] =
"Enable the revamped context menu";
const char kEnableRevampedContextMenuDescription[] =
"Enables a revamped context menu when a link, image, or video is long "
"pressed within Chrome.";
const char kEnableNtpRemoteSuggestionsName[] =
"Show server-side suggestions on the New Tab page";
const char kEnableNtpRemoteSuggestionsDescription[] =
"If enabled, the list of content suggestions on the New Tab page will "
"contain server-side suggestions (e.g., Articles for you). Furthermore, it "
"allows to override the source used to retrieve these server-side "
"suggestions.";
const char kEnableOfflinePreviewsName[] = "Offline Page Previews";
const char kEnableOfflinePreviewsDescription[] =
"Enable showing offline page previews on slow networks.";
const char kEnableWebNfcName[] = "WebNFC";
const char kEnableWebNfcDescription[] = "Enable WebNFC support.";
const char kEphemeralTabName[] = "An ephemeral Preview Tab in an Overlay Panel";
const char kEphemeralTabDescription[] =
"Enable a 'Preview page/image' at a linked page into an overlay.";
const char kEphemeralTabUsingBottomSheetName[] =
"An ephemeral Preview Tab in the bottom sheet";
const char kEphemeralTabUsingBottomSheetDescription[] =
"Enable a 'Preview page/image' at a linked page into the bottom sheet.";
const char kExploreSitesName[] = "Explore websites";
const char kExploreSitesDescription[] =
"Enables portal from new tab page to explore websites.";
const char kGamesHubName[] = "Games Hub";
const char kGamesHubDescription[] =
"Enables viewing and usage of the Games Hub.";
const char kHomepageLocationName[] =
"Enable enterprise policy HomepageLocation";
const char kHomepageLocationDescription[] =
"Enable enterprice policy HomepageLocation, a rule of configure the home "
"page URL";
const char kInterestFeedNotificationsName[] = "Interest Feed Notifications";
const char kInterestFeedNotificationsDescription[] =
"Show notifications for some suggested content from the interest feed. "
"#interest-feed-content-suggestions should also be enabled.";
const char kInterestFeedContentSuggestionsDescription[] =
"Use the interest feed to render content suggestions. Currently "
"content "
"suggestions are shown on the New Tab Page.";
const char kInterestFeedContentSuggestionsName[] =
"Interest Feed Content Suggestions";
const char kManualPasswordGenerationAndroidName[] =
"Manual password generation";
const char kManualPasswordGenerationAndroidDescription[] =
"Whether Chrome should offer users the option to manually request to "
"generate passwords on Android.";
const char kOfflineIndicatorAlwaysHttpProbeName[] = "Always http probe";
const char kOfflineIndicatorAlwaysHttpProbeDescription[] =
"Always do http probe to detect network connectivity for offline indicator "
"as opposed to just taking the connection state from the system."
"Used for testing.";
const char kOfflineIndicatorChoiceName[] = "Offline indicator choices";
const char kOfflineIndicatorChoiceDescription[] =
"Show an offline indicator while offline.";
const char kOfflineHomeName[] = "Offline Home";
const char kOfflineHomeDescription[] = "Show offline home UI when offline.";
const char kOfflineIndicatorV2Name[] = "Offline indicator V2";
const char kOfflineIndicatorV2Description[] =
"Show a persistent offline indicator when offline.";
const char kOfflinePagesCtName[] = "Enable Offline Pages CT features.";
const char kOfflinePagesCtDescription[] = "Enable Offline Pages CT features.";
const char kOfflinePagesCtV2Name[] = "Enable Offline Pages CT V2 features.";
const char kOfflinePagesCtV2Description[] =
"V2 features include attributing pages to the app that initiated the "
"custom tabs, and being able to query for pages by page attribution.";
const char kOfflinePagesCTSuppressNotificationsName[] =
"Disable download complete notification for whitelisted CCT apps.";
const char kOfflinePagesCTSuppressNotificationsDescription[] =
"Disable download complete notification for page downloads originating "
"from a CCT app whitelisted to show their own download complete "
"notification.";
const char kOfflinePagesDescriptiveFailStatusName[] =
"Enables descriptive failed download status text.";
const char kOfflinePagesDescriptiveFailStatusDescription[] =
"Enables failed download status text in notifications and Downloads Home "
"to state the reason the request failed if the failure is actionable.";
const char kOfflinePagesDescriptivePendingStatusName[] =
"Enables descriptive pending download status text.";
const char kOfflinePagesDescriptivePendingStatusDescription[] =
"Enables pending download status text in notifications and Downloads Home "
"to state the reason the request is pending.";
const char kOfflinePagesInDownloadHomeOpenInCctName[] =
"Enables offline pages in the downloads home to be opened in CCT.";
const char kOfflinePagesInDownloadHomeOpenInCctDescription[] =
"When enabled offline pages launched from the Downloads Home will be "
"opened in Chrome Custom Tabs (CCT) instead of regular tabs.";
const char kOfflinePagesLimitlessPrefetchingName[] =
"Removes resource usage limits for the prefetching of offline pages.";
const char kOfflinePagesLimitlessPrefetchingDescription[] =
"Allows the prefetching of suggested offline pages to ignore resource "
"usage limits. This allows it to completely ignore data usage limitations "
"and allows downloads to happen with any kind of connection.";
const char kOfflinePagesLoadSignalCollectingName[] =
"Enables collecting load timing data for offline page snapshots.";
const char kOfflinePagesLoadSignalCollectingDescription[] =
"Enables loading completeness data collection while writing an offline "
"page. This data is collected in the snapshotted offline page to allow "
"data analysis to improve deciding when to make the offline snapshot.";
const char kOfflinePagesPrefetchingName[] =
"Enables suggested offline pages to be prefetched.";
const char kOfflinePagesPrefetchingDescription[] =
"Enables suggested offline pages to be prefetched, so useful content is "
"available while offline.";
const char kOfflinePagesResourceBasedSnapshotName[] =
"Enables offline page snapshots to be based on percentage of page loaded.";
const char kOfflinePagesResourceBasedSnapshotDescription[] =
"Enables offline page snapshots to use a resource percentage based "
"approach for determining when the page is loaded as opposed to a time "
"based approach";
const char kOfflinePagesRenovationsName[] = "Enables offline page renovations.";
const char kOfflinePagesRenovationsDescription[] =
"Enables offline page renovations which correct issues with dynamic "
"content that occur when offlining pages that use JavaScript.";
const char kOfflinePagesLivePageSharingName[] =
"Enables live page sharing of offline pages";
const char kOfflinePagesLivePageSharingDescription[] =
"Enables to share current loaded page as offline page by saving as MHTML "
"first.";
const char kOfflinePagesShowAlternateDinoPageName[] =
"Enable alternate dino page with more user capabilities.";
const char kOfflinePagesShowAlternateDinoPageDescription[] =
"Enables the dino page to show more buttons and offer existing offline "
"content.";
const char kOffliningRecentPagesName[] =
"Enable offlining of recently visited pages";
const char kOffliningRecentPagesDescription[] =
"Enable storing recently visited pages locally for offline use. Requires "
"Offline Pages to be enabled.";
const char kPasswordManagerOnboardingAndroidName[] =
"Password manager onboarding experience";
const char kPasswordManagerOnboardingAndroidDescription[] =
"This flag enables showing the password manager onboarding experience.";
extern const char kProcessSharingWithDefaultSiteInstancesName[] =
"Process sharing with default site instances";
extern const char kProcessSharingWithDefaultSiteInstancesDescription[] =
"When site isolation is disabled, this mode changes how sites are lumped "
"in to shared processes. For sites that do not require isolation, this "
"feature groups them into a single 'default' site instance (per browsing "
"instance) instead of creating unique site instances for each one. This "
"enables resource savings by creating fewer processes for sites that do "
"not need isolation.";
extern const char kProcessSharingWithStrictSiteInstancesName[] =
"Process sharing with strict site instances";
extern const char kProcessSharingWithStrictSiteInstancesDescription[] =
"When site isolation is disabled, this mode changes how sites are lumped "
"in to a shared process. Process selection is usually controlled with "
"site instances. With strict site isolation, each site on a page gets its "
"own site instance and process. With site isolation disabled and without "
"this mode, all sites that share a process are put into the same site "
"instance. This mode adds a third way: site instances are strictly "
"separated like strict site isolation, but process selection puts multiple "
"site instances in a single process.";
const char kReaderModeHeuristicsName[] = "Reader Mode triggering";
const char kReaderModeHeuristicsDescription[] =
"Determines what pages the Reader Mode infobar is shown on.";
const char kReaderModeHeuristicsMarkup[] = "With article structured markup";
const char kReaderModeHeuristicsAdaboost[] = "Non-mobile-friendly articles";
const char kReaderModeHeuristicsAllArticles[] = "All articles";
const char kReaderModeHeuristicsAlwaysOff[] = "Never";
const char kReaderModeHeuristicsAlwaysOn[] = "Always";
const char kReaderModeInCCTName[] = "Reader Mode in CCT";
const char kReaderModeInCCTDescription[] =
"Open Reader Mode in Chrome Custom Tabs.";
const char kSafeBrowsingUseLocalBlacklistsV2Name[] =
"Use local Safe Browsing blacklists";
const char kSafeBrowsingUseLocalBlacklistsV2Description[] =
"If enabled, maintain a copy of Safe Browsing blacklists in the browser "
"process to check the Safe Browsing reputation of URLs without calling "
"into GmsCore for every URL.";
const char kSetMarketUrlForTestingName[] = "Set market URL for testing";
const char kSetMarketUrlForTestingDescription[] =
"When enabled, sets the market URL for use in testing the update menu "
"item.";
const char kShoppingAssistName[] = "Shopping assist exploration";
const char kShoppingAssistDescription[] =
"Show some shopping assistance when available";
const char kSiteIsolationForPasswordSitesName[] =
"Site Isolation For Password Sites";
const char kSiteIsolationForPasswordSitesDescription[] =
"Security mode that enables site isolation for sites based on "
"password-oriented heuristics, such as a user typing in a password.";
const char kStrictSiteIsolationName[] = "Strict site isolation";
const char kStrictSiteIsolationDescription[] =
"Security mode that enables site isolation for all sites (SitePerProcess). "
"In this mode, each renderer process will contain pages from at most one "
"site, using out-of-process iframes when needed. "
"Check chrome://process-internals to see the current isolation mode. "
"Setting this flag to 'Enabled' turns on site isolation regardless of the "
"default. Here, 'Disabled' is a legacy value that actually means "
"'Default,' in which case site isolation may be already enabled based on "
"platform, enterprise policy, or field trial. See also "
"#site-isolation-trial-opt-out for how to disable site isolation for "
"testing.";
extern const char kTabSwitcherLongpressMenuName[] =
"Enable tab switcher long-press menu";
extern const char kTabSwitcherLongpressMenuDescription[] =
"Enable showing a popup menu when the tab switcher is long-pressed, which "
"displays options for 'NewTab', 'New incognito tab' and 'Close tab'.";
const char kStartSurfaceAndroidName[] = "Start Surface";
const char kStartSurfaceAndroidDescription[] =
"Enable showing the start surface when launching Chrome via the "
"launcher.";
const char kUpdateMenuBadgeName[] = "Force show update menu badge";
const char kUpdateMenuBadgeDescription[] =
"When enabled, a badge will be shown on the app menu button if the update "
"type is Update Available or Unsupported OS Version.";
const char kUpdateMenuItemCustomSummaryDescription[] =
"When this flag and the force show update menu item flag are enabled, a "
"custom summary string will be displayed below the update menu item.";
const char kUpdateMenuItemCustomSummaryName[] =
"Update menu item custom summary";
const char kUpdateMenuTypeName[] =
"Forces the update menu type to a specific type";
const char kUpdateMenuTypeDescription[] =
"When set, forces the update type to be a specific one, which impacts "
"the app menu badge and menu item for updates. For Inline Update, the "
"update available flag is implied. The 'Inline Update: Success' selection "
"goes through the whole inline update flow to the end with a successful "
"outcome. The other 'Inline Update' options go through the same flow, but "
"stop at various stages, see their error type for details.";
const char kUpdateMenuTypeNone[] = "None";
const char kUpdateMenuTypeUpdateAvailable[] = "Update Available";
const char kUpdateMenuTypeUnsupportedOSVersion[] = "Unsupported OS Version";
const char kUpdateMenuTypeInlineUpdateSuccess[] = "Inline Update: Success";
const char kUpdateMenuTypeInlineUpdateDialogCanceled[] =
"Inline Update Error: Dialog Canceled";
const char kUpdateMenuTypeInlineUpdateDialogFailed[] =
"Inline Update Error: Dialog Failed";
const char kUpdateMenuTypeInlineUpdateDownloadFailed[] =
"Inline Update Error: Download Failed";
const char kUpdateMenuTypeInlineUpdateDownloadCanceled[] =
"Inline Update Error: Download Canceled";
const char kUpdateMenuTypeInlineUpdateInstallFailed[] =
"Inline Update Error: Install Failed";
const char kUpdateNotificationSchedulingIntegrationName[] =
"Enable update notification using notification scheduling system";
const char kUpdateNotificationSchedulingIntegrationDescription[] =
"if enable update notification will hook up to notification scheduling "
"system in native side";
const char kUsageStatsDescription[] =
"When set, enables sharing of per-domain usage stats with the Digital "
"Wellbeing app on Android, and allows Digital Wellbeing to suspend access "
"to websites in order to enforce user-defined time limits.";
const char kUsageStatsName[] = "Share Usage Stats with Digital Wellbeing";
const char kInlineUpdateFlowName[] = "Enable Google Play inline update flow";
const char kInlineUpdateFlowDescription[] =
"When this flag is set, instead of taking the user to the Google Play "
"Store when an update is available, the user is presented with an inline "
"flow where they do not have to leave Chrome until the update is ready "
"to install.";
#if BUILDFLAG(ENABLE_ANDROID_NIGHT_MODE)
const char kAndroidNightModeName[] = "Android Chrome UI dark mode";
const char kAndroidNightModeDescription[] =
"If enabled, user can enable Android Chrome UI dark mode through settings.";
#endif // BUILDFLAG(ENABLE_ANDROID_NIGHT_MODE)
// Non-Android -----------------------------------------------------------------
#else // !defined(OS_ANDROID)
const char kShowSyncPausedReasonCookiesClearedOnExitName[] =
"Show sync paused reason is the setup of cookie settings.";
const char kShowSyncPausedReasonCookiesClearedOnExitDescription[] =
"If enabled and the user is in sync paused state because of cookie settings"
" set to clear cookies on exit, we show the user a message with the reason"
" in the user menu.";
const char kAppManagementName[] = "Enable App Management page";
const char kAppManagementDescription[] =
"Shows the new app management page at chrome://apps.";
const char kCastMediaRouteProviderName[] = "Cast Media Route Provider";
const char kCastMediaRouteProviderDescription[] =
"Enables the native Cast Media Route Provider implementation to be used "
"instead of the implementation in the Media Router component extension.";
const char kChromeColorsName[] = "Chrome Colors menu";
const char kChromeColorsDescription[] =
"Show Chrome Colors menu in the NTP customization menu.";
const char kChromeColorsCustomColorPickerName[] =
"Custom color picker for Chrome Colors menu";
const char kChromeColorsCustomColorPickerDescription[] =
"Show custom color picker in Chrome Colors menu.";
const char kDialMediaRouteProviderName[] = "DIAL Media Route Provider";
const char kDialMediaRouteProviderDescription[] =
"Enables the native DIAL Media Route Provider implementation to be used "
"instead of the implementation in the Media Router component extension.";
const char kNtpConfirmSuggestionRemovalsName[] =
"Confirm removing \"realbox\" suggestions on New Tab page";
const char kNtpConfirmSuggestionRemovalsDescription[] =
"Show a confirmation dialog when removing suggestions from the \"realbox\" "
"on the New Tab page. Requires #ntp-realbox to be enabled.";
const char kNtpCustomizationMenuV2Name[] = "NTP customization menu version 2";
const char kNtpCustomizationMenuV2Description[] =
"Use the second version of the NTP customization menu.";
const char kNtpDismissPromosName[] = "Dismiss promos on the New Tab Page";
const char kNtpDismissPromosDescription[] =
"Enables a UI to persistently dismiss [non-emergency] promos on the "
"bottom/middle of the New Tab Page";
const char kNtpRealboxName[] = "Real search box in New Tab Page";
const char kNtpRealboxDescription[] =
"Enables a search box in the middle of the NTP that will accept input "
"directly (i.e. not be a \"fake\" box). Search results will show below the "
"non-fake input (\"realbox\").";
const char kNtpRealboxMatchOmniboxThemeName[] =
"Make the New Tab page real search box match the omnibox's theme colors";
const char kNtpRealboxMatchOmniboxThemeDescription[] =
"Themes the real search box in the middle of the NTP to match the omnibox. "
"Only has an an effect if #ntp-realbox is enabled.";
const char kImprovedCookieControlsName[] =
"Enable improved cookie controls UI in incognito mode";
const char kImprovedCookieControlsDescription[] =
"Improved UI in Incognito mode for third-party cookie blocking.";
const char kImprovedCookieControlsForThirdPartyCookieBlockingName[] =
"Enable improved UI for third-party cookie blocking";
const char kImprovedCookieControlsForThirdPartyCookieBlockingDescription[] =
"Enables an improved UI for existing third-party cookie blocking users.";
const char kEnableReaderModeName[] = "Enable Reader Mode";
const char kEnableReaderModeDescription[] =
"Allows viewing of simplified web pages by selecting 'Customize and "
"control Chrome'>'Distill page'";
const char kEnableWebAuthenticationBleSupportName[] =
"Web Authentication API BLE support";
const char kEnableWebAuthenticationBleSupportDescription[] =
"Enable support for using Web Authentication API via Bluetooth security "
"keys";
const char kEnableWebAuthenticationTestingAPIName[] =
"Web Authentication Testing API";
const char kEnableWebAuthenticationTestingAPIDescription[] =
"Enable Web Authentication Testing API support, which disconnects the API "
"implementation from the real world, and allows configuring virtual "
"authenticator devices for testing";
const char kEnterpriseReportingInBrowserName[] =
"Enterprise cloud reporting in browser";
const char kEnterpriseReportingInBrowserDescription[] =
"Enable the enterprise cloud reporting in browser without installing the "
"reporting companion extension. This feature requires device level cloud "
"mangement.";
const char kHappinessTrackingSurveysForDesktopName[] =
"Happiness Tracking Surveys";
const char kHappinessTrackingSurveysForDesktopDescription[] =
"Enable showing Happiness Tracking Surveys to users on Desktop";
const char kHappinessTrackingSurveysForDesktopDemoName[] =
"Happiness Tracking Surveys Demo";
const char kHappinessTrackingSurveysForDesktopDemoDescription[] =
"Enable showing Happiness Tracking Surveys Demo to users on Desktop";
const char kIntentPickerName[] = "Intent picker";
const char kIntentPickerDescription[] =
"When going to a site that has URL managable by a PWA, show the intent"
"picker to allow user to open the URL in the app.";
const char kKernelnextVMsName[] = "Enable VMs on experimental kernels.";
const char kKernelnextVMsDescription[] =
"Enables VM support on devices running experimental kernel versions.";
const char kMirroringServiceName[] = "Mirroring Service";
const char kMirroringServiceDescription[] =
"Enables the native Mirroring Service for mirroring tabs or desktop to "
"Chromecast. Requires AudioServiceAudioStreams to also be enabled.";
const char kOmniboxDriveSuggestionsName[] =
"Omnibox Google Drive Document suggestions";
const char kOmniboxDriveSuggestionsDescriptions[] =
"Display suggestions for Google Drive documents in the omnibox when Google "
"is the default search engine.";
const char kOmniboxExperimentalKeywordModeName[] =
"Omnibox Experimental Keyword Mode";
const char kOmniboxExperimentalKeywordModeDescription[] =
"Enables various experimental features related to keyword mode, its "
"suggestions and layout.";
const char kOmniboxLooseMaxLimitOnDedicatedRowsName[] =
"Omnibox Loose Max Limit on Dedicated Rows";
const char kOmniboxLooseMaxLimitOnDedicatedRowsDescription[] =
"Enables not counting submatch suggestions towards total suggestion "
"count.";
const char kOmniboxPedalSuggestionsName[] = "Omnibox Pedal suggestions";
const char kOmniboxPedalSuggestionsDescription[] =
"Enable omnibox Pedal suggestions to accelerate actions within Chrome by "
"detecting user intent and offering direct access to the end goal.";
const char kOmniboxReverseAnswersName[] = "Omnibox reverse answers";
const char kOmniboxReverseAnswersDescription[] =
"Display answers with rows reversed (swapped); except definitions.";
const char kOmniboxShortBookmarkSuggestionsName[] =
"Omnibox short bookmark suggestions";
const char kOmniboxShortBookmarkSuggestionsDescription[] =
"Match very short input words to beginning of words in bookmark "
"suggestions.";
const char kOmniboxSuggestionTransparencyOptionsName[] =
"Omnibox Suggestion Transparency Options";
const char kOmniboxSuggestionTransparencyOptionsDescription[] =
"Improves transparency of and control over omnibox suggestions. This "
"includes \"Why this Suggestion?\" and user controls to delete "
"personalized suggestions.";
const char kOmniboxTabSwitchSuggestionsName[] =
"Omnibox tab switch suggestions";
const char kOmniboxTabSwitchSuggestionsDescription[] =
"Enable suggestions for switching to open tabs within the Omnibox.";
const char kOmniboxTabSwitchSuggestionsDedicatedRowName[] =
"Omnibox dedicated row tab switch suggestions";
const char kOmniboxTabSwitchSuggestionsDedicatedRowDescription[] =
"Put each tab switch suggestion in a separate suggestion, immediately "
"following the original suggestion.";
const char kTabFreezeName[] = "Tab Freeze";
const char kTabFreezeDescription[] =
"Enables freezing eligible tabs when they have been backgrounded for 5 "
"minutes.";
const char kWebUIA11yEnhancementsName[] =
"Enable accessibility enhancements in WebUI";
const char kWebUIA11yEnhancementsDescription[] =
"This flag covers a wide variety of accessibility enhancements in WebUI "
"and is used to demonstrate the enhancements for review and testing. When "
"a enhancement is ready to be released, the enhancement will be taken out "
"from behind this feature flag. This flag will remain disabled and ready "
"to be used for other enhancements.";
const char kGoogleBrandedContextMenuName[] =
"Google branding in the context menu";
const char kGoogleBrandedContextMenuDescription[] =
"Shows a Google icon next to context menu items powered by Google "
"services.";
#endif // !defined(OS_ANDROID)
// Windows ---------------------------------------------------------------------
#if defined(OS_WIN)
const char kCalculateNativeWinOcclusionName[] =
"Calculate window occlusion on Windows";
const char kCalculateNativeWinOcclusionDescription[] =
"Calculate window occlusion on Windows will be used in the future "
"to throttle and potentially unload foreground tabs in occluded windows";
const char kCloudPrintXpsName[] = "XPS in Google Cloud Print";
const char kCloudPrintXpsDescription[] =
"XPS enables advanced options for classic printers connected to the Cloud "
"Print with Chrome. Printers must be re-connected after changing this "
"flag.";
const char kD3D11VideoDecoderName[] = "D3D11 Video Decoder";
const char kD3D11VideoDecoderDescription[] =
"Enables D3D11VideoDecoder for hardware accelerated video decoding.";
const char kEnableAuraTooltipsOnWindowsName[] =
"Enable aura tooltips on Windows";
const char kEnableAuraTooltipsOnWindowsDescription[] =
"Enables aura tooltips instead of the native comctl32 tooltips on Windows.";
const char kEnableGpuAppcontainerName[] = "Enable GPU AppContainer Lockdown.";
const char kEnableGpuAppcontainerDescription[] =
"Enables the use of an AppContainer for the GPU sandboxed processes to "
"improve security.";
const char kExperimentalFlingAnimationName[] =
"Enable experimental fling animation";
const char kExperimentalFlingAnimationDescription[] =
"Enables the use of a touch fling curve that is based on the behavior of "
"native apps on Windows.";
const char kGdiTextPrinting[] = "GDI Text Printing";
const char kGdiTextPrintingDescription[] =
"Use GDI to print text as simply text";
const char kUseAngleName[] = "Choose ANGLE graphics backend";
const char kUseAngleDescription[] =
"Choose the graphics backend for ANGLE. D3D11 is used on most Windows "
"computers by default. Using the OpenGL driver as the graphics backend may "
"result in higher performance in some graphics-heavy applications, "
"particularly on NVIDIA GPUs. It can increase battery and memory usage of "
"video playback.";
const char kUseAngleDefault[] = "Default";
const char kUseAngleGL[] = "OpenGL";
const char kUseAngleD3D11[] = "D3D11";
const char kUseAngleD3D9[] = "D3D9";
const char kUseAngleD3D11on12[] = "D3D11on12";
const char kUseWinrtMidiApiName[] = "Use Windows Runtime MIDI API";
const char kUseWinrtMidiApiDescription[] =
"Use Windows Runtime MIDI API for WebMIDI (effective only on Windows 10 or "
"later).";
#if BUILDFLAG(ENABLE_SPELLCHECK)
const char kWinUseBrowserSpellCheckerName[] = "Use the Windows OS spellchecker";
const char kWinUseBrowserSpellCheckerDescription[] =
"Use the Windows OS spellchecker to find spelling mistakes and provide "
"spelling suggestions instead of using the Hunspell engine.";
#endif // BUILDFLAG(ENABLE_SPELLCHECK)
#endif // defined(OS_WIN)
// Mac -------------------------------------------------------------------------
#if defined(OS_MACOSX)
const char kImmersiveFullscreenName[] = "Immersive Fullscreen Toolbar";
const char kImmersiveFullscreenDescription[] =
"Automatically hide and show the toolbar in fullscreen.";
const char kEnableCustomMacPaperSizesName[] = "Enable custom paper sizes";
const char kEnableCustomMacPaperSizesDescription[] =
"Allow use of custom paper sizes in Print Preview.";
const char kMacTouchBarName[] = "Hardware Touch Bar";
const char kMacTouchBarDescription[] = "Control the use of the Touch Bar.";
const char kMacSyscallSandboxName[] = "Mac Syscall Filtering Sandbox";
const char kMacSyscallSandboxDescription[] =
"Controls whether the macOS sandbox filters syscalls.";
const char kMacV2GPUSandboxName[] = "Mac V2 GPU Sandbox";
const char kMacV2GPUSandboxDescription[] =
"Controls whether the GPU process on macOS uses the V1 or V2 sandbox.";
const char kMacViewsTaskManagerName[] = "Toolkit-Views Task Manager.";
const char kMacViewsTaskManagerDescription[] =
"Controls whether to use the Toolkit-Views based Task Manager.";
const char kMacSystemMediaPermissionsInfoUiName[] =
"System media permissions info UI";
const char kMacSystemMediaPermissionsInfoUiDescription[] =
"In case a website is trying to use the camera/microphone, but Chrome "
"itself is blocked on the system level to access these, show an icon in "
"the Omnibox, which, when clicked, displays a bubble with information on "
"how to toggle Chrome's system-level media permissions.";
const char kMetalName[] = "Metal";
const char kMetalDescription[] =
"Use Metal instead of OpenGL for rasterization (if out-of-process "
"rasterization is enabled) and display (if the Skia renderer is enabled)";
#endif
// Chrome OS -------------------------------------------------------------------
#if defined(OS_CHROMEOS)
const char kAcceleratedMjpegDecodeName[] =
"Hardware-accelerated mjpeg decode for captured frame";
const char kAcceleratedMjpegDecodeDescription[] =
"Enable hardware-accelerated mjpeg decode for captured frame where "
"available.";
const char kAggregatedMlAppRankingName[] = "Rank suggested apps with ML.";
const char kAggregatedMlAppRankingDescription[] =
"Use the aggregated ML model to rank the suggested apps.";
const char kAggregatedMlSearchRankingName[] = "Rank search results with ML.";
const char kAggregatedMlSearchRankingDescription[] =
"Use the aggregated ML model to rank the non-app search results for "
"non-empty queries.";
const char kAllowAmbientEQName[] = "Show Ambient EQ UI";
const char kAllowAmbientEQDescription[] =
"Shows the UI to enable Ambient EQ on devices that support it.";
const char kAllowDisableMouseAccelerationName[] =
"Allow disabling mouse acceleration";
const char kAllowDisableMouseAccelerationDescription[] =
"Shows a setting to disable mouse acceleration.";
const char kAppServiceAshName[] = "App Service Ash";
const char kAppServiceAshDescription[] =
"Use the App Service to provide data to the Ash UI, such as the app list.";
const char kAppServiceInstanceRegistryName[] = "App Service Instance Registry";
const char kAppServiceInstanceRegistryDescription[] =
"Use the App Service to provide app instance information, such as the "
"app window running status.";
const char kAppServiceIntentHandlingName[] = "App Service Intent Handling";
const char kAppServiceIntentHandlingDescription[] =
"Use the App Service to provide data for intent handling.";
const char kAppServiceShelfName[] = "App Service Shelf";
const char kAppServiceShelfDescription[] =
"Use the App Service to provide data to the UI Shelf";
const char kArcApplicationZoomName[] = "Allow zooming of Android apps";
const char kArcApplicationZoomDescription[] =
"Allow Android apps to be zoomed in/out using ctrl+/-.";
const char kArcBootCompleted[] = "Load Android apps automatically";
const char kArcBootCompletedDescription[] =
"Allow Android apps to start automatically after signing in.";
const char kArcCupsApiName[] = "ARC CUPS API";
const char kArcCupsApiDescription[] =
"Enables support of libcups APIs from ARC";
const char kArcCustomTabsExperimentName[] =
"Enable Custom Tabs experiment for ARC";
const char kArcCustomTabsExperimentDescription[] =
"Allow Android apps to use Custom Tabs."
"This feature only works on the Canary and Dev channels.";
const char kArcDocumentsProviderName[] = "ARC DocumentsProvider integration";
const char kArcDocumentsProviderDescription[] =
"Enables DocumentsProvider integration in Chrome OS Files app.";
const char kArcFilePickerExperimentName[] =
"Enable file picker experiment for ARC";
const char kArcFilePickerExperimentDescription[] =
"Enables using Chrome OS file picker in ARC.";
const char kArcNativeBridgeToggleName[] =
"Toggle between native bridge implementations for ARC";
const char kArcNativeBridgeToggleDescription[] =
"Toggle between native bridge implementations for ARC.";
const char kArcPrintSpoolerExperimentName[] =
"Enable print spooler experiment for ARC";
const char kArcPrintSpoolerExperimentDescription[] =
"Enables using Chrome OS print system and print preview in ARC."
"This feature only works on the Canary and Dev channels.";
const char kArcUsbHostName[] = "Enable ARC USB host integration";
const char kArcUsbHostDescription[] =
"Allow Android apps to use USB host feature on ChromeOS devices.";
const char kArcUsbStorageUIName[] = "Enable ARC USB Storage UI";
const char kArcUsbStorageUIDescription[] =
"Enable experimental UI for controlling ARC access to USB storage devices.";
const char kArcVpnName[] = "Enable ARC VPN integration";
const char kArcVpnDescription[] =
"Allow Android VPN clients to tunnel Chrome traffic.";
const char kAshDragWindowFromShelfName[] =
"Enable dragging a window from shelf to overview or home screen.";
const char kAshDragWindowFromShelfDescription[] =
"Enable dragging a window from shelf to overview or home screen.";
const char kAshEnableDisplayMoveWindowAccelsName[] =
"Enable shortcuts for moving window between displays.";
const char kAshEnableDisplayMoveWindowAccelsDescription[] =
"Enable shortcuts for moving window between displays.";
const char kAshEnableOverviewRoundedCornersName[] =
"Enable rounded corners in overview mode.";
const char kAshEnableOverviewRoundedCornersDescription[] =
"Enables rounded corners on overview windows.";
const char kAshEnablePersistentWindowBoundsName[] =
"Enable persistent window bounds in multi-displays scenario.";
const char kAshEnablePersistentWindowBoundsDescription[] =
"Enable persistent window bounds in multi-displays scenario.";
const char kAshEnablePipRoundedCornersName[] =
"Enable Picture-in-Picture rounded corners.";
const char kAshEnablePipRoundedCornersDescription[] =
"Enable rounded corners on the Picture-in-Picture window.";
const char kAshEnableUnifiedDesktopName[] = "Unified desktop mode";
const char kAshEnableUnifiedDesktopDescription[] =
"Enable unified desktop mode which allows a window to span multiple "
"displays.";
extern const char kAshNotificationStackingBarRedesignName[] =
"Redesigned notification stacking bar";
extern const char kAshNotificationStackingBarRedesignDescription[] =
"Enables the redesigned notification stacking bar UI with a \"Clear all\" "
"button.";
const char kAshSwapSideVolumeButtonsForOrientationName[] =
"Swap side volume buttons to match screen orientation.";
const char kAshSwapSideVolumeButtonsForOrientationDescription[] =
"Make the side volume button that's closer to the top/right always "
"increase the volume and the button that's closer to the bottom/left "
"always decrease the volume.";
const char kAshSwipingFromLeftEdgeToGoBackName[] =
"Swping from the left edge of the display to go back to the previous page.";
const char kAshSwipingFromLeftEdgeToGoBackDescription[] =
"Swiping from the restricted left area of the display with enough drag "
"distance or fling velocity could go back to the previous page while in "
"tablet mode.";
const char kBluetoothAggressiveAppearanceFilterName[] =
"Aggressive Bluetooth device filtering";
const char kBluetoothAggressiveAppearanceFilterDescription[] =
"Enables a more aggressive Bluetooth filter in the UI to hide devices that "
"likely cannot be connected to.";
const char kCameraSystemWebAppName[] = "Camera System Web App";
const char kCameraSystemWebAppDescription[] =
"Run the Chrome Camera App as a System Web App.";
const char kCrOSContainerName[] = "Chrome OS Container";
const char kCrOSContainerDescription[] =
"Enable the use of Chrome OS Container utility.";
const char kCrosRegionsModeName[] = "Cros-regions load mode";
const char kCrosRegionsModeDescription[] =
"This flag controls cros-regions load mode";
const char kCrosRegionsModeDefault[] = "Default";
const char kCrosRegionsModeOverride[] = "Override VPD values.";
const char kCrosRegionsModeHide[] = "Hide VPD values.";
const char kCrostiniAppSearchName[] = "Crostini App Search";
const char kCrostiniAppSearchDescription[] =
"Enable search and installation of Crostini apps in the launcher.";
const char kCrostiniBackupName[] = "Crostini Backup";
const char kCrostiniBackupDescription[] = "Enable Crostini export and import.";
const char kCrostiniUseBusterImageName[] = "New Crostini containers use Buster";
const char kCrostiniUseBusterImageDescription[] =
"New Crostini containers use Debian Buster images instead of Debian "
"Stretch.";
const char kCrostiniGpuSupportName[] = "Crostini GPU Support";
const char kCrostiniGpuSupportDescription[] = "Enable Crostini GPU support.";
const char kCrostiniUsbAllowUnsupportedName[] =
"Crostini Usb Allow Unsupported";
const char kCrostiniUsbAllowUnsupportedDescription[] =
"Allow mounting unsupported Usb devices in Crostini. At your own risk. ";
const char kCrostiniWebUIInstallerName[] = "Crostini WebUI Installer";
const char kCrostiniWebUIInstallerDescription[] =
"Enable the new WebUI Crostini Installer.";
const char kCrostiniWebUIUpgraderName[] = "Crostini WebUI Upgrader";
const char kCrostiniWebUIUpgraderDescription[] =
"Enable the new WebUI Crostini Upgrader Dialog.";
const char kCryptAuthV1DeviceSyncDeprecateName[] =
"Deprecate CryptAuth v1 DeviceSync";
const char kCryptAuthV1DeviceSyncDeprecateDescription[] =
"Deprecate the CryptAuth v1 DeviceSync protocol. The v2 DeviceSync flag "
"should be enabled before this flag is flipped.";
const char kCryptAuthV2DeviceActivityStatusName[] =
"CryptAuth Device Activity Status";
const char kCryptAuthV2DeviceActivityStatusDescription[] =
"Use the CryptAuth GetDevicesActivityStatus API to sort devices.";
const char kCryptAuthV2DeviceSyncName[] = "CryptAuth v2 DeviceSync";
const char kCryptAuthV2DeviceSyncDescription[] =
"Use the CryptAuth v2 DeviceSync protocol. Note: v1 DeviceSync will "
"continue to run until the deprecation flag is flipped.";
const char kCryptAuthV2EnrollmentName[] = "CryptAuth v2 Enrollment";
const char kCryptAuthV2EnrollmentDescription[] =
"Use the CryptAuth v2 Enrollment protocol.";
const char kCupsPrintersUiOverhaulName[] = "Cups Printers UI overhaul";
const char kCupsPrintersUiOverhaulDescription[] =
"Enables the new native printing UI in settings.";
const char kDisableCancelAllTouchesName[] = "Disable CancelAllTouches()";
const char kDisableCancelAllTouchesDescription[] =
"If enabled, a canceled touch will not force all other touches to be "
"canceled.";
const char kDisableExplicitDmaFencesName[] = "Disable explicit dma-fences";
const char kDisableExplicitDmaFencesDescription[] =
"Always rely on implicit syncrhonization between GPU and display "
"controller instead of using dma-fences explcitily when available.";
const char kEnableUseHDRTransferFunctionName[] =
"Enable using HDR transfer function";
const char kEnableUseHDRTransferFunctionDescription[] =
"Allows using an HDR transfer functions if any connected monitor supports "
"it";
const char kDisableOfficeEditingComponentAppName[] =
"Disable Office Editing for Docs, Sheets & Slides";
const char kDisableOfficeEditingComponentAppDescription[] =
"Disables Office Editing for Docs, Sheets & Slides component app so "
"handlers won't be registered, making it possible to install another "
"version for testing.";
const char kDisableTabletAutohideTitlebarsName[] =
"Disable autohide titlebars in tablet mode";
const char kDisableTabletAutohideTitlebarsDescription[] =
"Disable tablet mode autohide titlebars functionality. The user will be "
"able to see the titlebar in tablet mode.";
const char kDoubleTapToZoomInTabletModeName[] =
"Double-tap to zoom in tablet mode";
const char kDoubleTapToZoomInTabletModeDescription[] =
"If Enabled, double tapping in webpages while in tablet mode will zoom the "
"page.";
const char kEnableAdvancedPpdAttributesName[] =
"Enable advanced PPD attributes";
const char kEnableAdvancedPpdAttributesDescription[] =
"Enable advanced settings on CUPS printers";
const char kEnableAppDataSearchName[] = "Enable app data search in launcher";
const char kEnableAppDataSearchDescription[] =
"Allow launcher search to access data available through Firebase App "
"Indexing";
const char kEnableAppReinstallZeroStateName[] =
"Enable Zero State App Reinstall Suggestions.";
const char kEnableAppReinstallZeroStateDescription[] =
"Enable Zero State App Reinstall Suggestions feature in launcher, which "
"will show app reinstall recommendations at end of zero state list.";
const char kEnableAppGridGhostName[] = "App Grid Ghosting";
const char kEnableAppGridGhostDescription[] =
"Enables ghosting during an item drag in launcher.";
const char kEnableSearchBoxSelectionName[] = "Search Box Selection";
const char kEnableSearchBoxSelectionDescription[] =
"Enables the ResultSelectionController in the Search Box. This alters "
"perceived focus traversal.";
const char kEnableAppListSearchAutocompleteName[] =
"App List Search Autocomplete";
const char kEnableAppListSearchAutocompleteDescription[] =
"Allow App List search box to autocomplete queries for Google searches and "
"apps.";
const char kEnableArcUnifiedAudioFocusName[] =
"Enable unified audio focus on ARC";
const char kEnableArcUnifiedAudioFocusDescription[] =
"If audio focus is enabled in Chrome then this will delegate audio focus "
"control in Android apps to Chrome.";
const char kEnableAssistantAppSupportName[] = "Enable Assistant App Support";
const char kEnableAssistantAppSupportDescription[] =
"Enable the Assistant App Support feature";
const char kEnableAssistantLauncherIntegrationName[] =
"Assistant & Launcher integration";
const char kEnableAssistantLauncherIntegrationDescription[] =
"Combine Launcher search with the power of Assistant to provide the most "
"useful answer for each query. Requires Assistant to be enabled.";
const char kEnableAssistantLauncherUIName[] = "Assistant Launcher UI";
const char kEnableAssistantLauncherUIDescription[] =
"Enables the embedded Assistant UI in the app list. Requires Assistant to "
"be enabled.";
const char kEnableAssistantMediaSessionIntegrationName[] =
"Assistant Media Session integration";
const char kEnableAssistantMediaSessionIntegrationDescription[] =
"Enable Assistant Media Session Integration.";
const char kEnableAssistantRoutinesName[] = "Assistant Routines";
const char kEnableAssistantRoutinesDescription[] = "Enable Assistant Routines.";
const char kEnableBackgroundBlurName[] = "Enable background blur.";
const char kEnableBackgroundBlurDescription[] =
"Enables background blur for the Launcher, Shelf, Unified System Tray etc.";
const char kEnableCrOSActionRecorderName[] = "Enable CrOS action recorder";
const char kEnableCrOSActionRecorderDescription[] =
"When enabled, each app launching, file opening, setting change, and url "
"visiting will be logged locally into an encrypted file. Should not be "
"enabled. Be aware that hash option only provides a thin layer of privacy.";
const char kEnableDiscoverAppName[] = "Enable Discover App";
const char kEnableDiscoverAppDescription[] =
"Enable Discover App icon in launcher.";
const char kEnableEncryptionMigrationName[] =
"Enable encryption migration of user data";
const char kEnableEncryptionMigrationDescription[] =
"If enabled and the device supports ARC, the user will be asked to update "
"the encryption of user data when the user signs in.";
const char kEnableGesturePropertiesDBusServiceName[] =
"Enable gesture properties D-Bus service";
const char kEnableGesturePropertiesDBusServiceDescription[] =
"Enable a D-Bus service for accessing gesture properties, which are used "
"to configure input devices.";
const char kEnableGoogleAssistantDspName[] =
"Enable Google Assistant with hardware-based hotword";
const char kEnableGoogleAssistantDspDescription[] =
"Enable an experimental feature that uses hardware-based hotword detection "
"for Assistant. Only a limited number of devices have this type of "
"hardware support.";
const char kEnableGoogleAssistantStereoInputName[] =
"Enable Google Assistant with stereo audio input";
const char kEnableGoogleAssistantStereoInputDescription[] =
"Enable an experimental feature that uses stereo audio input for hotword "
"and voice to text detection in Google Assistant.";
const char kEnableGoogleAssistantAecName[] = "Enable Google Assistant AEC";
const char kEnableGoogleAssistantAecDescription[] =
"Enable an experimental feature that removes local feedback from audio "
"input to help hotword and ASR when background audio is playing.";
const char kEnableHeuristicStylusPalmRejectionName[] =
"Enable Heuristic for Stylus/Palm Rejection.";
const char kEnableHeuristicStylusPalmRejectionDescription[] =
"Enable additional heuristic palm rejection logic when interacting with "
"stylus usage. Not intended for all devices.";
const char kEnableHomeLauncherName[] = "Enable home launcher";
const char kEnableHomeLauncherDescription[] =
"Enable home launcher in tablet mode.";
const char kEnableNeuralStylusPalmRejectionName[] =
"Enable Neural Palm Detection";
const char kEnableNeuralStylusPalmRejectionDescription[] =
"Experimental: Enable Neural Palm detection. Not compatible with all "
"devices.";
const char kEnableParentalControlsSettingsName[] =
"Enable Parental controls settings";
const char kEnableParentalControlsSettingsDescription[] =
"Enable Parental Control options in settings.";
const char kEnablePlayStoreSearchName[] = "Enable Play Store search";
const char kEnablePlayStoreSearchDescription[] =
"Enable Play Store search in launcher.";
const char kEnableVideoPlayerNativeControlsName[] =
"Enable native controls in video player app";
const char kEnableVideoPlayerNativeControlsDescription[] =
"Enable native controls in video player app";
const char kEnableVirtualDesksName[] = "Enable Virtual Desks";
const char kEnableVirtualDesksDescription[] =
"A preview of the upcoming Virtual Desks features on Chrome OS devices.";
const char kTrimOnFreezeName[] = "Trim Working Set on freeze";
const char kTrimOnFreezeDescription[] = "Trim Working Set on all frames frozen";
const char kTrimOnMemoryPressureName[] = "Trim Working Set on memory pressure";
const char kTrimOnMemoryPressureDescription[] =
"Trim Working Set periodically on memory pressure";
const char kEnableZeroStateSuggestionsName[] = "Enable Zero State Suggetions";
const char kEnableZeroStateSuggestionsDescription[] =
"Enable Zero State Suggestions feature in Launcher, which will show "
"suggestions when launcher search box is active with an empty query";
const char kEnterpriseReportingInChromeOSName[] =
"Enterprise cloud reporting in Chrome OS";
const char kEnterpriseReportingInChromeOSDescription[] =
"Enable the enterprise cloud reporting in Chrome OS. This feature requires "
"user level cloud management.";
const char kExoPointerLockName[] = "Pointer lock for Linux applications";
const char kExoPointerLockDescription[] =
"Allow Linux applications to request a pointer lock, i.e. exclusive use of "
"the mouse pointer.";
const char kExperimentalAccessibilityChromeVoxLanguageSwitchingName[] =
"Enable experimental ChromeVox language switching.";
const char kExperimentalAccessibilityChromeVoxLanguageSwitchingDescription[] =
"Enable ChromeVox language switching, which changes ChromeVox's "
"output language upon detection of new language.";
const char kExperimentalAccessibilityChromeVoxSubNodeLanguageSwitchingName[] =
"Enable experimental ChromeVox sub-node (word-level) language switching.";
const char
kExperimentalAccessibilityChromeVoxSubNodeLanguageSwitchingDescription[] =
"Enable ChromeVox language switching at the sub-node level, "
"which changes ChromeVox's output language upon detection of a new "
"language. This type of switching is more granular than the ChromeVox"
"node-level language switching.";
const char kExperimentalAccessibilitySwitchAccessName[] =
"Experimental feature Switch Access";
const char kExperimentalAccessibilitySwitchAccessDescription[] =
"Add a setting to enable the prototype of Switch Access";
const char kExperimentalAccessibilitySwitchAccessTextName[] =
"Enable enhanced Switch Access text input.";
const char kExperimentalAccessibilitySwitchAccessTextDescription[] =
"Enable experimental or in-progress Switch Access features for improved "
"text input";
const char kFileManagerFeedbackPanelDescription[] =
"Enable feedback panel in the Files app.";
const char kFileManagerFeedbackPanelName[] = "Files App. feedback panel";
const char kFileManagerPiexWasmName[] = "Enable FilesApp piex-wasm module";
const char kFileManagerPiexWasmDescription[] =
"Enable the FilesApp piex-wasm raw image extractor module.";
const char kFileManagerTouchModeName[] = "Files App. touch mode";
const char kFileManagerTouchModeDescription[] =
"Touchscreen-specific interactions of the Files app.";
const char kFilesNGName[] = "Enable Files App. NG.";
const char kFilesNGDescription[] =
"Enable the next generation UI style of the file manager.";
const char kFirstRunUiTransitionsName[] =
"Animated transitions in the first-run tutorial";
const char kFirstRunUiTransitionsDescription[] =
"Transitions during first-run tutorial are animated.";
const char kFsNosymfollowName[] =
"Prevent symlink traversal on user-supplied filesystems.";
const char kFsNosymfollowDescription[] =
"Causes user-supplied filesystems to be mounted with the 'nosymfollow'"
" option, so the chromuimos LSM denies symlink traversal on the"
" filesystem.";
const char kFuzzyAppSearchName[] = "Fuzzy app search algorithm in launcher.";
const char kFuzzyAppSearchDescription[] =
"Uses fuzzy search algorithm for app search in launcher.";
const char kGaiaActionButtonsName[] =
"Enable action buttons on Gaia login screen";
const char kGaiaActionButtonsDescription[] =
"Enable primary/secondary action button on Gaia login screen.";
const char kHideArcMediaNotificationsName[] = "Hide ARC media notifications";
const char kHideArcMediaNotificationsDescription[] =
"Hides media notifications for ARC apps. Requires "
"#enable-media-session-notifications to be enabled.";
const char kImeInputLogicFstName[] = "Enable FST Input Logic on IME";
const char kImeInputLogicFstDescription[] =
"Enable FST Input Logic to replace the IME legacy input logic on NaCl";
const char kImeNativeDecoderName[] = "Enable native decoders in IME Service";
const char kImeNativeDecoderDescription[] =
"Enable native decoders in IME service to deprecate NaCl decoders";
const char kListAllDisplayModesName[] = "List all display modes";
const char kListAllDisplayModesDescription[] =
"Enables listing all external displays' modes in the display settings.";
const char kLockScreenMediaControlsName[] = "Lock screen media controls";
const char kLockScreenMediaControlsDescription[] =
"Enable media controls on the lock screen.";
const char kLockScreenNotificationName[] = "Lock screen notification";
const char kLockScreenNotificationDescription[] =
"Enable notifications on the lock screen.";
extern const char kMediaAppName[] = "Media App";
extern const char kMediaAppDescription[] =
"Enables the chrome://media-app System Web App (SWA)";
const char kMediaSessionNotificationsName[] = "Media session notifications";
const char kMediaSessionNotificationsDescription[] =
"Shows notifications for media sessions showing the currently playing "
"media and providing playback controls";
const char kNetworkPortalNotificationName[] =
"Notifications about captive portals";
const char kNetworkPortalNotificationDescription[] =
"If enabled, notification is displayed when device is connected to a "
"network behind captive portal.";
const char kNewOverviewTabletLayoutName[] = "New overview tablet mode layout";
const char kNewOverviewTabletLayoutDescription[] =
"If enabled, in tablet mode, overview items will be laid out in two rows "
"with six items showing at a time. Users can scroll through to see hidden "
"items.";
const char kNewZipUnpackerName[] = "ZIP Archiver (unpacking)";
const char kNewZipUnpackerDescription[] =
"Use the ZIP Archiver for mounting/unpacking ZIP files";
const char kPrinterProviderSearchAppName[] =
"Chrome Web Store Gallery app for printer drivers";
const char kPrinterProviderSearchAppDescription[] =
"Enables Chrome Web Store Gallery app for printer drivers. The app "
"searches Chrome Web Store for extensions that support printing to a USB "
"printer with specific USB ID.";
const char kPrintServerUiName[] = "Print Server UI";
const char kPrintServerUiDescription[] =
"Enables users to add their own print server in the printer settings page.";
const char kReduceDisplayNotificationsName[] = "Reduce display notifications";
const char kReduceDisplayNotificationsDescription[] =
"If enabled, notifications for display rotation, display removed, display "
"mirroring, and display extending will be suppressed.";
const char kReleaseNotesName[] = "CrOS Release Notes.";
const char kReleaseNotesDescription[] =
"Creates release notes app in settings menu that shows a webview "
"describing new OS features.";
const char kReleaseNotesNotificationName[] = "CrOS Release Notes Notification.";
const char kReleaseNotesNotificationDescription[] =
"Instructs OS to show notificationlogin after update that release notes "
"are now available.";
const char kSchedulerConfigurationName[] = "Scheduler Configuration";
const char kSchedulerConfigurationDescription[] =
"Instructs the OS to use a specific scheduler configuration setting.";
const char kSchedulerConfigurationConservative[] =
"Disables Hyper-Threading on relevant CPUs.";
const char kSchedulerConfigurationPerformance[] =
"Enables Hyper-Threading on relevant CPUs.";
const char kShowBluetoothDebugLogToggleName[] =
"Show Bluetooth debug log toggle";
const char kShowBluetoothDebugLogToggleDescription[] =
"Enables a toggle which can enable debug (i.e., verbose) logs for "
"Bluetooth";
const char kShowBluetoothDeviceBatteryName[] = "Show Bluetooth device battery";
const char kShowBluetoothDeviceBatteryDescription[] =
"Enables showing the battery level of connected and supported Bluetooth "
"devices in the System Tray and Settings UI.";
const char kShowTapsName[] = "Show taps";
const char kShowTapsDescription[] =
"Draws a circle at each touch point, which makes touch points more obvious "
"when projecting or mirroring the display. Similar to the Android OS "
"developer option.";
const char kShowTouchHudName[] = "Show HUD for touch points";
const char kShowTouchHudDescription[] =
"Shows a trail of colored dots for the last few touch points. Pressing "
"Ctrl-Alt-I shows a heads-up display view in the top-left corner. Helps "
"debug hardware issues that generate spurious touch events.";
const char kSmartDimModelV3Name[] = "Smart Dim updated model";
const char kSmartDimModelV3Description[] =
"Uses an updated model for user activity prediction (Smart Dim).";
const char kSmartTextSelectionName[] = "Smart Text Selection";
const char kSmartTextSelectionDescription[] =
"Shows quick actions for text "
"selections in the context menu.";
const char kSplitSettingsName[] = "Split OS and browser settings";
const char kSplitSettingsDescription[] =
"Show separate settings for the OS and browser";
const char kSplitSettingsSyncName[] = "Split OS and browser sync";
const char kSplitSettingsSyncDescription[] =
"Allows OS sync to be configured separately from browser sync. Changes the "
"OS settings UI to provide controls for OS data types. Requires "
"#split-settings to be enabled.";
const char kStreamlinedUsbPrinterSetupName[] =
"Streamlined USB Printer Setup Flow";
const char kStreamlinedUsbPrinterSetupDescription[] =
"Automatically sets up capable USB printers when plugged in. Shows a "
"notification with the setup result.";
const char kSyncWifiConfigurationsName[] = "Sync Wi-Fi network configurations";
const char kSyncWifiConfigurationsDescription[] =
"Enables the option to sync Wi-Fi network configurations with Chrome Sync.";
const char kMessageCenterRedesignName[] = "Enable Message Center Redesign";
const char kMessageCenterRedesignDescription[] =
"Enables split message center, stacked notification icons and system tray "
"pagination";
const char kTerminalSystemAppName[] = "Terminal System App";
const char kTerminalSystemAppDescription[] =
"Enables the Terminal System App at chrome://terminal which is used for "
"the Chrome OS Linux terminal.";
const char kTerminalSystemAppSplitsName[] = "Terminal System App Splits";
const char kTerminalSystemAppSplitsDescription[] =
"Enables splits for the Terminal System App.";
const char kTetherName[] = "Instant Tethering";
const char kTetherDescription[] =
"Enables Instant Tethering. Instant Tethering allows your nearby Google "
"phone to share its Internet connection with this device.";
const char kTouchscreenCalibrationName[] =
"Enable/disable touchscreen calibration option in material design settings";
const char kTouchscreenCalibrationDescription[] =
"If enabled, the user can calibrate the touch screen displays in "
"chrome://settings/display.";
const char kUseFakeDeviceForMediaStreamName[] = "Use fake video capture device";
const char kUseFakeDeviceForMediaStreamDescription[] =
"Forces Chrome to use a fake video capture device (a rolling pacman with a "
"timestamp) instead of the system audio/video devices, for debugging "
"purposes.";
const char kUiDevToolsName[] = "Enable native UI inspection";
const char kUiDevToolsDescription[] =
"Enables inspection of native UI elements. For local inspection use "
"chrome://inspect#other";
const char kUiShowCompositedLayerBordersName[] =
"Show UI composited layer borders";
const char kUiShowCompositedLayerBordersDescription[] =
"Show border around composited layers created by UI.";
const char kUiShowCompositedLayerBordersRenderPass[] = "RenderPass";
const char kUiShowCompositedLayerBordersSurface[] = "Surface";
const char kUiShowCompositedLayerBordersLayer[] = "Layer";
const char kUiShowCompositedLayerBordersAll[] = "All";
const char kUiSlowAnimationsName[] = "Slow UI animations";
const char kUiSlowAnimationsDescription[] = "Makes all UI animations slow.";
const char kUsbguardName[] = "Block new USB devices at the lock screen.";
const char kUsbguardDescription[] =
"Prevents newly connected USB devices from operating at the lock screen"
" until Chrome OS is unlocked to protect against malicious USB devices."
" Already connected USB devices will continue to function.";
const char kVaapiJpegImageDecodeAccelerationName[] =
"VA-API JPEG decode acceleration for images";
const char kVaapiJpegImageDecodeAccelerationDescription[] =
"Enable or disable decode acceleration of JPEG images (as opposed to camera"
" captures) using the VA-API.";
const char kVaapiWebPImageDecodeAccelerationName[] =
"VA-API WebP decode acceleration for images";
const char kVaapiWebPImageDecodeAccelerationDescription[] =
"Enable or disable decode acceleration of WebP images using the VA-API.";
const char kVirtualKeyboardBorderedKeyName[] = "Virtual Keyboard Bordered Key";
const char kVirtualKeyboardBorderedKeyDescription[] =
"Show virtual keyboard with bordered key";
const char kVirtualKeyboardName[] = "Virtual Keyboard";
const char kVirtualKeyboardDescription[] =
"Always show virtual keyboard regardless of having a physical keyboard "
"present";
const char kWakeOnPacketsName[] = "Wake On Packets";
const char kWakeOnPacketsDescription[] =
"Enables waking the device based on the receipt of some network packets.";
const char kZeroStateFilesName[] = "Enable Launcher Zero State Files";
const char kZeroStateFilesDescription[] =
"Enables zero state file recommendations in the Launcher, which appear when"
"the search box is active and no query has been entered.";
// Prefer keeping this section sorted to adding new definitions down here.
#endif // defined(OS_CHROMEOS)
#if defined(OS_CHROMEOS) || defined(OS_LINUX)
#if BUILDFLAG(USE_TCMALLOC)
const char kDynamicTcmallocName[] = "Dynamic Tcmalloc Tuning";
const char kDynamicTcmallocDescription[] =
"Allows tcmalloc to dynamically adjust tunables based on system resource "
"utilization.";
#endif // BUILDFLAG(USE_TCMALLOC)
#endif // #if defined(OS_CHROMEOS) || defined(OS_LINUX)
// All views-based platforms --------------------------------------------------
#if defined(TOOLKIT_VIEWS)
const char kEnableMDRoundedCornersOnDialogsName[] =
"MD corners on secondary UI";
const char kEnableMDRoundedCornersOnDialogsDescription[] =
"Increases corner radius on secondary UI.";
const char kInstallableInkDropName[] = "Use InstallableInkDrop where supported";
const char kInstallableInkDropDescription[] =
"InstallableInkDrop is part of an InkDrop refactoring effort. This enables "
"the pilot implementation where available.";
const char kReopenTabInProductHelpName[] = "Reopen tab in-product help";
const char kReopenTabInProductHelpDescription[] =
"Enable in-product help that guides a user to reopen a tab if it looks "
"like they accidentally closed it.";
#endif // defined(TOOLKIT_VIEWS)
// Random platform combinations -----------------------------------------------
#if defined(OS_WIN) || defined(OS_LINUX) || defined(OS_CHROMEOS)
const char kWebGL2ComputeContextName[] = "WebGL 2.0 Compute";
const char kWebGL2ComputeContextDescription[] =
"Enable the use of WebGL 2.0 Compute API.";
#endif // defined(OS_WIN) || defined(OS_LINUX) || defined(OS_CHROMEOS)
#if BUILDFLAG(ENABLE_CLICK_TO_CALL)
const char kClickToCallUIName[] =
"Enable click to call feature signals to be handled on desktop";
const char kClickToCallUIDescription[] =
"Enables click to call feature signals to be handled on desktop by showing "
"a list of user's available devices with telephony functionality.";
const char kClickToCallDetectionV2Name[] = "Click to call detection V2";
const char kClickToCallDetectionV2Description[] =
"Improves the detection of phone numbers in the context menu for the click "
"to call feature.";
#endif // BUILDFLAG(ENABLE_CLICK_TO_CALL)
#if defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_LINUX) || \
defined(OS_CHROMEOS)
const char kRemoteCopyReceiverName[] =
"Enables the remote copy feature to receive messages";
const char kRemoteCopyReceiverDescription[] =
"Enables the remote copy feature to handle messages by writing content to "
"the clipboard and showing a notification to the user.";
#endif // defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_LINUX) ||
// defined(OS_CHROMEOS)
#if defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_LINUX)
const char kDirectManipulationStylusName[] = "Direct Manipulation Stylus";
const char kDirectManipulationStylusDescription[] =
"If enabled, Chrome will scroll web pages on stylus drag.";
const char kAnimatedAvatarButtonName[] = "Animated avatar button";
const char kAnimatedAvatarButtonDescription[] =
"If enabled, Chrome will animate a pill with identity information around "
"the avatar button on start-up and on sign-in.";
const char kProfileMenuRevampName[] = "Profile menu revamp";
const char kProfileMenuRevampDescription[] =
"Enables the new version of the profile menu (aka user menu).";
#endif // defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_LINUX)
#if defined(OS_MACOSX) || defined(OS_CHROMEOS)
const char kForceEnableSystemAecName[] = "Force enable system AEC";
const char kForceEnableSystemAecDescription[] =
"Use system echo canceller instead of WebRTC echo canceller. If there is "
"no system echo canceller available, getUserMedia with echo cancellation "
"enabled will fail.";
#endif // defined(OS_MACOSX) || defined(OS_CHROMEOS)
#if defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_CHROMEOS)
const char kWebContentsOcclusionName[] = "Enable occlusion of web contents";
const char kWebContentsOcclusionDescription[] =
"If enabled, web contents will behave as hidden when it is occluded by "
"other windows.";
#endif // defined(OS_WIN) || defined(OS_MACOSX) || defined(OS_CHROMEOS)
// Feature flags --------------------------------------------------------------
#if defined(DCHECK_IS_CONFIGURABLE)
const char kDcheckIsFatalName[] = "DCHECKs are fatal";
const char kDcheckIsFatalDescription[] =
"By default Chrome will evaluate in this build, but only log failures, "
"rather than crashing. If enabled, DCHECKs will crash the calling process.";
#endif // defined(DCHECK_IS_CONFIGURABLE)
#if BUILDFLAG(ENABLE_VR)
const char kWebXrOrientationSensorDeviceName[] = "Orientation sensors for XR";
const char kWebXrOrientationSensorDeviceDescription[] =
"Allow use of orientation sensors for XR if present";
#if BUILDFLAG(ENABLE_OCULUS_VR)
const char kOculusVRName[] = "Oculus hardware support";
const char kOculusVRDescription[] =
"If enabled, Chrome will use Oculus devices for VR (supported only on "
"Windows 10 or later).";
#endif // ENABLE_OCULUS_VR
#if BUILDFLAG(ENABLE_OPENVR)
const char kOpenVRName[] = "OpenVR hardware support";
const char kOpenVRDescription[] =
"If enabled, Chrome will use OpenVR devices for VR (supported only on "
"Windows 10 or later).";
#endif // ENABLE_OPENVR
#if BUILDFLAG(ENABLE_WINDOWS_MR)
const char kWindowsMixedRealityName[] = "Windows Mixed Reality support";
const char kWindowsMixedRealityDescription[] =
"If enabled, Chrome will use Windows Mixed Reality devices for VR"
" (supported only on Windows 10 or later).";
#endif // ENABLE_WINDOWS_MR
#if BUILDFLAG(ENABLE_OPENXR)
const char kOpenXRName[] = "OpenXR support";
const char kOpenXRDescription[] =
"If enabled, Chrome will use OpenXR Backend for VR.";
#endif // ENABLE_OPENXR
#if !defined(OS_ANDROID)
const char kXRSandboxName[] = "XR device sandboxing";
const char kXRSandboxDescription[] =
"If enabled, Chrome will host VR APIs in a restricted process on desktop.";
#endif // !defined(OS_ANDROID)
#endif // ENABLE_VR
#if BUILDFLAG(ENABLE_NACL)
const char kNaclName[] = "Native Client";
const char kNaclDescription[] =
"Support Native Client for all web applications, even those that were not "
"installed from the Chrome Web Store.";
#endif // ENABLE_NACL
#if BUILDFLAG(ENABLE_PLUGINS)
#if defined(OS_CHROMEOS)
const char kPdfAnnotations[] = "PDF Annotations";
const char kPdfAnnotationsDescription[] = "Enable annotating PDF documents.";
#endif // defined(OS_CHROMEOS)
const char kPdfFormSaveName[] = "Save PDF Forms";
const char kPdfFormSaveDescription[] =
"Enable saving PDFs with filled form data.";
#endif // BUILDFLAG(ENABLE_PLUGINS)
#if defined(TOOLKIT_VIEWS) || defined(OS_ANDROID)
const char kAutofillCreditCardUploadName[] =
"Enable offering upload of Autofilled credit cards";
const char kAutofillCreditCardUploadDescription[] =
"Enables a new option to upload credit cards to Google Payments for sync "
"to all Chrome devices.";
#endif // defined(TOOLKIT_VIEWS) || defined(OS_ANDROID)
const char kPaintHoldingName[] =
"Delay the commit to screen for same-origin navigations";
const char kPaintHoldingDescription[] =
"Enables a delay before commiting the page to screen when navigating "
"between pages in the same origin. This may help avoid a flash of unstyled "
"content for same-origin navigations";
#if defined(WEBRTC_USE_PIPEWIRE)
extern const char kWebrtcPipeWireCapturerName[] = "WebRTC PipeWire support";
extern const char kWebrtcPipeWireCapturerDescription[] =
"When enabled the WebRTC will use the PipeWire multimedia server for "
"capturing the desktop content on the Wayland display server.";
#endif // #if defined(WEBRTC_USE_PIPEWIRE)
// ============================================================================
// Don't just add flags to the end, put them in the right section in
// alphabetical order just like the header file.
// ============================================================================
} // namespace flag_descriptions
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
ca3777aa67c5c51df1d0b1c4a3b57459f51ec399 | 07a50ef35648b18048129707c34204827e338a78 | /CS132 Towers Of Hanoi VI/CS132 Towers Of Hanoi VI/CS132 Towers Of Hanoi VI.cpp | 6150fa631717555f4d743e492a8ff7297094d85e | [] | no_license | Jared-Swislow/CS-132 | 69e69c1cd7d054101c01a5e137b83b234827b2c0 | b7250747f3a78030bbeafb67a048a68e7d4ad543 | refs/heads/master | 2022-04-13T05:07:10.775683 | 2020-03-16T05:03:16 | 2020-03-16T05:03:16 | 233,142,088 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,522 | cpp | //Jared Swislow
//CS 132 Program 6: Towers Of Hanoi with Templates for Stack and Node
#include <iostream>
#define NDEBUG
#include <cassert>
#include <string> //Included so I can directly cout strings on my home computer. Removable in newer versions of VS
#include "Peg.h"
using namespace std;
const int NUM_OF_DISKS = 7;
void moveDisk(Peg& peg1, Peg& peg2, int& amountOfMoves);
void hanoi(Peg& startPeg, Peg& goalPeg, Peg& tempPeg, int amountOfDisks, int& amountOfMoves);
int main()
{
//Cliff's Test Code
{
Stack<int> stack1;
stack1.push(1); stack1.push(2); stack1.push(3); stack1.push(4);
cout << "stack1 top: " << stack1.getTop() << endl;
Stack<string> cliffStack;
cliffStack.push("This"); cliffStack.push(" is"); cliffStack.push(" a"); cliffStack.push(" test.");
cout << "cliffStack: " << cliffStack << endl;
}
//Node Test Code
{
Node<int> intNode(3);
cout << intNode;
Node<char> charNode('A');
cout << charNode;
cout << endl << endl;
}
Peg peg1("Peg 1", NUM_OF_DISKS);
Peg peg2("Peg 2", 0);
Peg peg3("Peg 3", 0);
int amountOfMoves = 0;
cout << "Jared Swislow's Program 6: Towers Of Hanoi with Templates for Stack and Node" << endl << endl;
cout << peg1 << peg2 << peg3;
cout << endl << "Moves taken to move " << NUM_OF_DISKS << " pegs from peg1 to peg3:" << endl;
hanoi(peg1, peg3, peg2, NUM_OF_DISKS, amountOfMoves);
cout << endl;
cout << peg1 << peg2 << peg3;
cout << "Moving " << NUM_OF_DISKS << " pegs took " << amountOfMoves << " moves." << endl;
system("pause");
return 0;
}
void moveDisk(Peg& peg1, Peg& peg2, int& amountOfMoves) {
//Make sure there is a disk to be moved
assert(!(peg1.getNumDisks() == 0));
//If the second peg isn't empty, make sure that the moving disk is larger than the top disk on the second peg, as per the rules
if ((!peg2.getNumDisks() == 0)) {
assert(peg2.topDisk() > peg1.topDisk());
}
peg2.addDisk(peg1.topDisk());
peg1.removeTop();
cout << "Moved disk " << peg2.topDisk() << " from " << peg1.getName() << " to " << peg2.getName() << endl;
amountOfMoves++;
}
void hanoi(Peg& startPeg, Peg& goalPeg, Peg& tempPeg, int amountOfDisks, int& amountOfMoves) {
//Move all but one peg to tempPeg
if (amountOfDisks > 1) {
hanoi(startPeg, tempPeg, goalPeg, amountOfDisks - 1, amountOfMoves);
}
//Move leftover disk to goalPeg
moveDisk(startPeg, goalPeg, amountOfMoves);
//Move all of tempPeg onto goalPeg
if (amountOfDisks > 1) {
hanoi(tempPeg, goalPeg, startPeg, amountOfDisks - 1, amountOfMoves);
}
}
| [
"jayswis2002@gmail.com"
] | jayswis2002@gmail.com |
635e2b5b8b964e3361d4a8733ba17253cd27f68a | 3d2f0a4be46bef4e066be09ab9a23b2253e53726 | /include/sushi/lexer/detail/character-config.h | 50d9cb6bbc7ef10632603de9f551023c877638f4 | [] | no_license | Sushiscript/sushiscript | 273779bee017ed3ea52ecfe277dc4cb403697676 | 19db4eb4b2a1820a8594d46abb8a0536ae3cc61c | refs/heads/master | 2021-04-18T01:31:59.239674 | 2018-07-08T02:04:47 | 2018-07-08T02:04:47 | 126,849,670 | 9 | 1 | null | 2018-07-08T02:04:48 | 2018-03-26T15:27:32 | C++ | UTF-8 | C++ | false | false | 3,908 | h | #ifndef SUSHI_LEXER_DETAIL_CHARACTER_CONFIG_H
#define SUSHI_LEXER_DETAIL_CHARACTER_CONFIG_H
#include "boost/optional.hpp"
#include <memory>
#include <string>
#include <unordered_map>
namespace sushi {
namespace lexer {
// special character make use of unused ascii
enum SpecialChar : char {
kInterDollar = 1,
kInterLBrace = 2,
kInterRBrace = 3
};
namespace detail {
#define TRADITION_ESCAPE \
{'a', '\a'}, {'b', '\b'}, {'f', '\f'}, {'n', '\n'}, {'r', '\r'}, \
{'t', '\t'}, { \
'v', '\v' \
}
struct CharacterConfig {
bool Restrict(char c) const {
return RestrictedList().find(c) != std::string::npos;
}
bool Prohibit(char c) const {
return not isprint(c);
}
boost::optional<char> Unescape(char c) const {
if (Restrict(c) or Prohibit(c)) return boost::none;
auto it = UnescapeSpecial().find(c);
return it == end(UnescapeSpecial()) ? c : it->second;
}
boost::optional<char> Escape(char c) const {
if (Prohibit(c)) return boost::none;
auto it = EscapeMap().find(c);
return it == end(EscapeMap()) ? c : it->second;
}
virtual const std::string &RestrictedList() const {
static std::string s = "";
return s;
};
virtual const std::unordered_map<char, char> &EscapeMap() const {
static std::unordered_map<char, char> m;
return m;
}
virtual const std::unordered_map<char, char> &UnescapeSpecial() const {
static std::unordered_map<char, char> m;
return m;
}
virtual ~CharacterConfig() = default;
};
struct StringConfig : CharacterConfig {
const std::string &RestrictedList() const override {
static std::string l = "\"";
return l;
}
const std::unordered_map<char, char> &EscapeMap() const override {
static std::unordered_map<char, char> m = {TRADITION_ESCAPE};
return m;
};
};
struct CharConfig : CharacterConfig {
const std::string &RestrictedList() const override {
static std::string l = "'";
return l;
}
const std::unordered_map<char, char> &EscapeMap() const override {
static std::unordered_map<char, char> m = {TRADITION_ESCAPE};
return m;
}
};
struct RawConfig : CharacterConfig {
const std::string &RestrictedList() const override {
static std::string l = "\"#'; |,):}";
return l;
}
};
// decorator
struct CustomConfig : CharacterConfig {
CustomConfig(
std::unique_ptr<CharacterConfig> base, const std::string &restr,
std::unordered_map<char, char> escape = {},
std::unordered_map<char, char> special = {})
: restr_list_(restr), escape_(std::move(escape)),
special_(std::move(special)) {
if (base == nullptr) return;
restr_list_ += base->RestrictedList();
SafeMerge(escape_, base->EscapeMap());
SafeMerge(special_, base->UnescapeSpecial());
}
static void SafeMerge(
std::unordered_map<char, char> &me,
const std::unordered_map<char, char> &that) {
for (auto p : that)
if (not me.count(p.first)) me.insert(p);
}
const std::string &RestrictedList() const override {
return restr_list_;
};
const std::unordered_map<char, char> &EscapeMap() const override {
return escape_;
}
const std::unordered_map<char, char> &UnescapeSpecial() const override {
return special_;
}
private:
std::string restr_list_;
std::unordered_map<char, char> escape_;
std::unordered_map<char, char> special_;
};
} // namespace detail
} // namespace lexer
} // namespace sushi
#endif // SUSHI_LEXER_DETAIL_CHARACTER_CONFIG_H
| [
"vinaleux@gmail.com"
] | vinaleux@gmail.com |
afaba957c16366d0f9cb59742ec35d88599a27af | 03fef4b993be472367deb3f8beabbdda011e5c56 | /NumOfAndroidLockPatterns.cpp | 912f75c04514fad23c41de5804c0e9f74c958d56 | [] | no_license | taekout/Programming-Problems | 3ffaf2f268a7a9697dc59fb0e38a65db699fca09 | 8785f6018340ea8dcdcb46d2628ed344d6e616e0 | refs/heads/master | 2021-01-18T19:05:08.018034 | 2018-09-27T18:46:59 | 2018-09-27T18:46:59 | 61,074,607 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,733 | cpp | #include <iostream>
#include <vector>
using namespace std;
int DFSWaysOfConnectionHelper(int depth, int curDepth, int curNode,
vector<bool> & visited, const vector<vector<int>> & jump)
{
if(curDepth == depth) {
return 1;
}
visited[curNode] = true;
//cout << "visiting " << curNode << endl;
int count = 0;
for(int i = 1 ; i < 10 ; i++) {
if(visited[i] == false && (jump[curNode][i] == 0 || visited[jump[curNode][i]] == true)) {
count += DFSWaysOfConnectionHelper(depth, curDepth + 1, i, visited, jump);
}
}
visited[curNode] = false;
return count;
}
int DFSWaysOfConnection(int depth, int cur, const vector<vector<int>> & jump)
{
vector<bool> visited(10, false);
return DFSWaysOfConnectionHelper(depth, 1, cur, visited, jump);
}
int waysOfConnection(int min, int max)
{
// what is between two spots. 0 means no node in-between.
vector<vector<int>> jump(10);
for(size_t i = 0 ; i < jump.size() ; i++) {
jump[i].resize(10, 0);
}
jump[1][3] = jump[3][1] = 2;
jump[4][6] = jump[6][4] = 5;
jump[7][9] = jump[9][7] = 8;
jump[1][7] = jump[7][1] = 4;
jump[2][8] = jump[8][2] = 5;
jump[3][9] = jump[9][3] = 6;
jump[1][9] = jump[9][1] = jump[3][7] = jump[7][3] = 5;
int cases = 0;
for(int i = min ; i <= max ; i++) {
//cout << i << " jump turn" << endl;
cases += DFSWaysOfConnection(i, 1, jump) * 4;
cases += DFSWaysOfConnection(i, 2, jump) * 4;
cases += DFSWaysOfConnection(i, 5, jump);
}
return cases;
}
int main() {
int minConnect = 5;
int maxConnect = 7;
cout << waysOfConnection(minConnect, maxConnect);
return 0;
} | [
"noreply@github.com"
] | noreply@github.com |
9f1c6fa7037ef7b9487e3a3597ee7836a5342912 | cf85f52975b6319715b023239eaca32d7f81a970 | /BunnyHop.h | 126fe2c52f34e0bbef3fd014ac8b2f44096cbd3d | [
"MIT"
] | permissive | samehfido/X-HOOK-For-CSGO | d9471dca390e62b6dae20041a0f2ca289595d0c4 | 4f38ba0b025f3af35f25ab5e4d73eec9b4698aed | refs/heads/master | 2022-12-27T10:29:36.310404 | 2020-10-08T01:40:59 | 2020-10-08T01:40:59 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 231 | h | #pragma once
namespace BHop
{
void CreateMove(CUserCmd* cmd);
void CreateMoveCircle(CUserCmd* cmd);
bool doCircularStrafe(CUserCmd * pCmd, Vector & OriginalView);
void RotateMovement(CUserCmd * pCmd, float rotation);
} | [
"noreply@github.com"
] | noreply@github.com |
cfc6c0070b629475efb9e377306073afaed9d681 | 02b361a4c1267e8f9e7e2008bf0d82fb9cef8cd2 | /src/test/zerocoin_implementation_tests.cpp | 69bb7155834805017350a93f9e5cc9378014a800 | [
"MIT"
] | permissive | team-exor/exor | abaf938ee24cc66c6b86ee76a93aa501dbbd32ac | da9a2145d834e45db2fd8637ec984e249bfbd5d9 | refs/heads/master | 2020-05-28T05:50:04.600841 | 2019-06-24T20:26:46 | 2019-06-24T20:26:46 | 188,899,679 | 1 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 24,160 | cpp | // Copyright (c) 2017-2018 The PIVX developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "libzerocoin/Denominations.h"
#include "amount.h"
#include "chainparams.h"
#include "main.h"
#include "txdb.h"
#include "primitives/deterministicmint.h"
#include "key.h"
#include "accumulatorcheckpoints.h"
#include "libzerocoin/bignum.h"
#include <boost/test/unit_test.hpp>
#include <iostream>
#include <accumulators.h>
#include "wallet.h"
#include "zexorwallet.h"
#include "zexorchain.h"
using namespace libzerocoin;
extern bool DecodeHexTx(CTransaction& tx, const std::string& strHexTx);
BOOST_AUTO_TEST_SUITE(zerocoin_implementation_tests)
BOOST_AUTO_TEST_CASE(zcparams_test)
{
cout << "Running zcparams_test...\n";
bool fPassed = true;
try{
SelectParams(CBaseChainParams::MAIN);
ZerocoinParams *ZCParams = Params().Zerocoin_Params(false);
(void)ZCParams;
} catch(std::exception& e) {
fPassed = false;
std::cout << e.what() << "\n";
}
BOOST_CHECK(fPassed);
}
std::string zerocoinModulus = "25195908475657893494027183240048398571429282126204032027777137836043662020707595556264018525880784"
"4069182906412495150821892985591491761845028084891200728449926873928072877767359714183472702618963750149718246911"
"6507761337985909570009733045974880842840179742910064245869181719511874612151517265463228221686998754918242243363"
"7259085141865462043576798423387184774447920739934236584823824281198163815010674810451660377306056201619676256133"
"8441436038339044149526344321901146575444541784240209246165157233507787077498171257724679629263863563732899121548"
"31438167899885040445364023527381951378636564391212010397122822120720357";
//ZQ_ONE mints
std::string rawTx1 = "0100000001983d5fd91685bb726c0ebc3676f89101b16e663fd896fea53e19972b95054c49000000006a473044022010fbec3e78f9c46e58193d481caff715ceb984df44671d30a2c0bde95c54055f0220446a97d9340da690eaf2658e5b2bf6a0add06f1ae3f1b40f37614c7079ce450d012103cb666bd0f32b71cbf4f32e95fa58e05cd83869ac101435fcb8acee99123ccd1dffffffff0200e1f5050000000086c10280004c80c3a01f94e71662f2ae8bfcd88dfc5b5e717136facd6538829db0c7f01e5fd793cccae7aa1958564518e0223d6d9ce15b1e38e757583546e3b9a3f85bd14408120cd5192a901bb52152e8759fdd194df230d78477706d0e412a66398f330be38a23540d12ab147e9fb19224913f3fe552ae6a587fb30a68743e52577150ff73042c0f0d8f000000001976a914d6042025bd1fff4da5da5c432d85d82b3f26a01688ac00000000";
std::string rawTxpub1 = "473ff507157523e74680ab37f586aae52e53f3f912492b19f7e14ab120d54238ae30b338f39662a410e6d707784d730f24d19dd9f75e85221b51b902a19d50c120844d15bf8a3b9e346355857e7381e5be19c6d3d22e01845565819aae7cacc93d75f1ef0c7b09d823865cdfa3671715e5bfc8dd8fc8baef26216e7941fa0c3";
std::string rawTxRand1 = "9fc222b16be09eb88affbdfbcc02d1c8b28f5e843c72eb06c89dd7aff0c60838";
std::string rawTxSerial1 = "b87754b165892c0f9634e3d03780ede24824125249cb8dfd4ad2c0be055cbead";
std::string rawTx2 = "01000000018c52504b2822c39dd7f4bd93e30562dc9d246e0b0dd4ee401ec2c24e9378be12000000006b483045022100e2628dbcd284dd4858e2c2d8e2d2d31eb222773b3026d39c79c489f5daf4ae2302200e0b1cb9a6d534dc86ea33afb8153a5a4c7cd4fb497c889fb991fbac8bf86802012103836a4868020f52f2ab9e5ec3634d2cd38794677fab47ae7a7128ea8102972ae0ffffffff022c0f0d8f000000001976a914e2e8e36a1a35da051341775315b1168494921acd88ac00e1f5050000000086c10280004c809d49caa17c3f1fb8bc93eabf54462c8ad1717ab646c8130ca0863ca5613f34751445cd7bde8ef1dd833645c7c205dd9b36171dc25209f46b04a34b5e06caa655eea9bd95b46f7d03ae60a97961dd6632c1050090ec1b6748199f0721eeec0822dd288c663020dd88ecda7c8abf8a409fa5c500c4188e52bfbe2ca77ce7b2700700000000";
std::string rawTxpub2 = "770b2e77ca72cbebf528e18c400c5a59f408abf8a7cdaec88dd2030668c28dd2208ecee21079f1948671bec900005c13266dd6179a960ae037d6fb495bda9ee55a6ca065e4ba3046bf40952c21d17369bdd05c2c7453683ddf18ede7bcd451475343f61a53c86a00c13c846b67a71d18a2c4654bfea93bcb81f3f7ca1ca499d";
std::string rawTxRand2 = "23040b1d889ca4a41cf50b88a380f3f3acffac750e221a268fedf700f063a886";
std::string rawTxSerial2 = "37393797cb39e5f22bdc4fba8108edb5ea497ba0d22aba0781e58a8555df285c";
std::string rawTx3 = "01000000014651d7ed09c01d26679dd8ad1ee1f704f63167544ca48bdd3b4577444d540514010000006a47304402207995f8e30a87b74f36146d80ab02198319240a2eb3f93018c740e91b6812ff23022002677250aa9f9c7b6c1258647b0b0c03f89c7495b82b9c4dd2dcdb0ced82412801210236e3e30dbb1d62c8872413b2a771cd611b8042dfb5d06feb6805ba934ba534ffffffffff0200e1f5050000000086c10280004c803dac1997d38ee8650bb87fae490f4684a7b023744c95cd5ef025bc7f4d1414aff96947cebf342cfbfaf217ec0088e489d722d494409494a011a452af55a8cd4d2cef97f3b0307b66238623ab02b148a9e20f36782c8b7ea47c0c0b8226ddb91ee8f1f94c8c04df5c834993f27175b20b1da99d8338c674b1741a696c54def8012c0f0d8f000000001976a914c7f81b8e5650af548f5d56ef064da5c2d1ee09ae88ac00000000";
std::string rawTxpub3 = "1f8de546c691a74b174c638839da91d0bb27571f29349835cdf048c4cf9f1e81eb9dd26820b0c7ca47e8b2c78360fe2a948b102ab238623667b30b0f397ef2c4dcda855af52a411a094944094d422d789e48800ec17f2fafb2c34bfce4769f9af14144d7fbc25f05ecd954c7423b0a784460f49ae7fb80b65e88ed39719ac3d";
std::string rawTxRand3 = "1953c2919d658c3f654566400ace91563105ad5acc4e4151bca1e762c0877d7b";
std::string rawTxSerial3 = "3abf349844720512325d129c95402edbc85d86fff89632a05dc18970560047a5";
std::vector<std::pair<std::string, std::string> > vecRawMints = {std::make_pair(rawTx1, rawTxSerial1), std::make_pair(rawTx2, rawTxSerial2), std::make_pair(rawTx3, rawTxSerial3)};
//create a zerocoin mint from vecsend
BOOST_AUTO_TEST_CASE(checkzerocoinmint_test)
{
cout << "generating privkeys\n";
//generate a privkey
CKey key;
key.MakeNewKey(true);
CPrivKey privkey = key.GetPrivKey();
//generate pubkey hash/serial
CPubKey pubkey = key.GetPubKey();
uint256 nSerial = Hash(pubkey.begin(), pubkey.end());
CBigNum bnSerial(nSerial);
//make sure privkey import to new keypair makes the same serial
CKey key2;
key2.SetPrivKey(privkey, true);
CPubKey pubkey2 = key2.GetPubKey();
uint256 nSerial2 = Hash(pubkey2.begin(), pubkey2.end());
CBigNum bnSerial2(nSerial2);
BOOST_CHECK_MESSAGE(bnSerial == bnSerial2, "Serials do not match!");
cout << "Running check_zerocoinmint_test...\n";
CTransaction tx;
BOOST_CHECK(DecodeHexTx(tx, rawTx1));
CValidationState state;
bool fFoundMint = false;
for(unsigned int i = 0; i < tx.vout.size(); i++){
if(!tx.vout[i].scriptPubKey.empty() && tx.vout[i].scriptPubKey.IsZerocoinMint()) {
BOOST_CHECK(CheckZerocoinMint(tx.GetHash(), tx.vout[i], state, true));
fFoundMint = true;
}
}
BOOST_CHECK(fFoundMint);
}
bool CheckZerocoinSpendNoDB(const CTransaction tx, string& strError)
{
//max needed non-mint outputs should be 2 - one for redemption address and a possible 2nd for change
if (tx.vout.size() > 2){
int outs = 0;
for (const CTxOut out : tx.vout) {
if (out.IsZerocoinMint())
continue;
outs++;
}
if (outs > 2) {
strError = "CheckZerocoinSpend(): over two non-mint outputs in a zerocoinspend transaction";
return false;
}
}
//compute the txout hash that is used for the zerocoinspend signatures
CMutableTransaction txTemp;
for (const CTxOut out : tx.vout) {
txTemp.vout.push_back(out);
}
// uint256 hashTxOut = txTemp.GetHash();
bool fValidated = false;
set<CBigNum> serials;
list<CoinSpend> vSpends;
CAmount nTotalRedeemed = 0;
BOOST_FOREACH(const CTxIn& txin, tx.vin) {
//only check txin that is a zcspend
if (!txin.scriptSig.IsZerocoinSpend())
continue;
// extract the CoinSpend from the txin
std::vector<char, zero_after_free_allocator<char> > dataTxIn;
dataTxIn.insert(dataTxIn.end(), txin.scriptSig.begin() + 4, txin.scriptSig.end());
CDataStream serializedCoinSpend(dataTxIn, SER_NETWORK, PROTOCOL_VERSION);
libzerocoin::ZerocoinParams* paramsAccumulator = Params().Zerocoin_Params(false);
CoinSpend newSpend(Params().Zerocoin_Params(true), paramsAccumulator, serializedCoinSpend);
vSpends.push_back(newSpend);
//check that the denomination is valid
if (newSpend.getDenomination() == ZQ_ERROR) {
strError = "Zerocoinspend does not have the correct denomination";
return false;
}
//check that denomination is what it claims to be in nSequence
if (newSpend.getDenomination() != txin.nSequence) {
strError = "Zerocoinspend nSequence denomination does not match CoinSpend";
}
//make sure the txout has not changed
// if (newSpend.getTxOutHash() != hashTxOut) {
// strError = "Zerocoinspend does not use the same txout that was used in the SoK";
// return false;
// }
// //see if we have record of the accumulator used in the spend tx
// CBigNum bnAccumulatorValue = 0;
// if (!GetAccumulatorValueFromChecksum(newSpend.getAccumulatorChecksum(), true, bnAccumulatorValue)) {
// strError = "Zerocoinspend could not find accumulator associated with checksum";
// return false;
// }
// Accumulator accumulator(Params().Zerocoin_Params(true), newSpend.getDenomination(), bnAccumulatorValue);
// //Check that the coin is on the accumulator
// if (!newSpend.Verify(accumulator)) {
// strError = "CheckZerocoinSpend(): zerocoin spend did not verify";
// return false;
// }
if (serials.count(newSpend.getCoinSerialNumber())) {
strError = "Zerocoinspend serial is used twice in the same tx";
return false;
}
serials.insert(newSpend.getCoinSerialNumber());
//cannot check this without database
// if(!IsZerocoinSpendUnknown(newSpend, tx.GetHash(), state))
// return state.DoS(100, error("Zerocoinspend is already known"));
//make sure that there is no over redemption of coins
nTotalRedeemed += ZerocoinDenominationToAmount(newSpend.getDenomination());
fValidated = true;
}
if (nTotalRedeemed < tx.GetValueOut()) {
strError = "Transaction spend more than was redeemed in zerocoins";
return false;
}
return fValidated;
}
BOOST_AUTO_TEST_CASE(checkzerocoinspend_test)
{
CBigNum bnTrustedModulus = 0;
if (!bnTrustedModulus)
bnTrustedModulus.SetDec(zerocoinModulus);
libzerocoin::ZerocoinParams zerocoinParams = libzerocoin::ZerocoinParams(bnTrustedModulus);
cout << "Running check_zerocoinspend_test...\n";
//load our serialized pubcoin
CBigNum bnpubcoin;
BOOST_CHECK_MESSAGE(bnpubcoin.SetHexBool(rawTxpub1), "Failed to set CBigNum from hex string");
PublicCoin pubCoin(Params().Zerocoin_Params(true), bnpubcoin, CoinDenomination::ZQ_ONE);
BOOST_CHECK_MESSAGE(pubCoin.validate(), "Failed to validate pubCoin created from hex string");
//initialize and Accumulator and AccumulatorWitness
Accumulator accumulator(Params().Zerocoin_Params(false), CoinDenomination::ZQ_ONE);
AccumulatorWitness witness(Params().Zerocoin_Params(false), accumulator, pubCoin);
//populate the witness and accumulators
CValidationState state;
for(pair<string, string> raw : vecRawMints) {
CTransaction tx;
BOOST_CHECK_MESSAGE(DecodeHexTx(tx, raw.first), "Failed to deserialize hex transaction");
for(const CTxOut out : tx.vout){
if(!out.scriptPubKey.empty() && out.scriptPubKey.IsZerocoinMint()) {
PublicCoin publicCoin(Params().Zerocoin_Params(true));
BOOST_CHECK_MESSAGE(TxOutToPublicCoin(out, publicCoin, state), "Failed to convert CTxOut " << out.ToString() << " to PublicCoin");
accumulator += publicCoin;
witness += publicCoin;
}
}
}
// Create a New Zerocoin with specific denomination given by pubCoin
PrivateCoin privateCoin(Params().Zerocoin_Params(true), pubCoin.getDenomination());
privateCoin.setPublicCoin(pubCoin);
CBigNum bn = 0;
bn.SetHex(rawTxRand1);
privateCoin.setRandomness(bn);
CBigNum bn2 = 0;
bn2.SetHex(rawTxSerial1);
privateCoin.setSerialNumber(bn2);
privateCoin.setVersion(1);
//Get the checksum of the accumulator we use for the spend and also add it to our checksum map
uint32_t nChecksum = GetChecksum(accumulator.getValue());
//AddAccumulatorChecksum(nChecksum, accumulator.getValue(), true);
CoinSpend coinSpend(Params().Zerocoin_Params(true), Params().Zerocoin_Params(false), privateCoin, accumulator, nChecksum, witness, 0, SpendType::SPEND);
cout << coinSpend.ToString() << endl;
BOOST_CHECK_MESSAGE(coinSpend.Verify(accumulator), "Coinspend construction failed to create valid proof");
CBigNum serial = coinSpend.getCoinSerialNumber();
BOOST_CHECK_MESSAGE(serial, "Serial Number can't be 0");
CoinDenomination denom = coinSpend.getDenomination();
BOOST_CHECK_MESSAGE(denom == pubCoin.getDenomination(), "Spend denomination must match original pubCoin");
BOOST_CHECK_MESSAGE(coinSpend.Verify(accumulator), "CoinSpend object failed to validate");
//serialize the spend
CDataStream serializedCoinSpend2(SER_NETWORK, PROTOCOL_VERSION);
bool fSerialize = true;
try {
serializedCoinSpend2 << coinSpend;
} catch (...) {
fSerialize = false;
}
BOOST_CHECK_MESSAGE(fSerialize, "failed to serialize coinspend object");
std::vector<unsigned char> data(serializedCoinSpend2.begin(), serializedCoinSpend2.end());
/** Check valid spend */
CTxIn newTxIn;
newTxIn.nSequence = 1;
newTxIn.scriptSig = CScript() << OP_ZEROCOINSPEND << data.size();
newTxIn.scriptSig.insert(newTxIn.scriptSig.end(), data.begin(), data.end());
newTxIn.prevout.SetNull();
// Deserialize the CoinSpend intro a fresh object
std::vector<char, zero_after_free_allocator<char> > dataTxIn;
dataTxIn.insert(dataTxIn.end(), newTxIn.scriptSig.begin() + 4, newTxIn.scriptSig.end());
CDataStream serializedCoinSpend(dataTxIn, SER_NETWORK, PROTOCOL_VERSION);
//old params for the V1 generated coin, new params for the accumulator. Emulates main-net transition.
CoinSpend spend1(Params().Zerocoin_Params(true), Params().Zerocoin_Params(false), serializedCoinSpend);
BOOST_CHECK_MESSAGE(spend1.Verify(accumulator), "Failed deserialized check of CoinSpend");
CScript script;
CTxOut txOut(1 * COIN, script);
CTransaction txNew;
txNew.vin.push_back(newTxIn);
txNew.vout.push_back(txOut);
CTransaction txMintFrom;
BOOST_CHECK_MESSAGE(DecodeHexTx(txMintFrom, rawTx1), "Failed to deserialize hex transaction");
string strError = "";
if (!CheckZerocoinSpendNoDB(txNew, strError)) {
cout << state.GetRejectCode() << endl;
BOOST_CHECK_MESSAGE(false, strError);
}
/**check an overspend*/
CTxOut txOutOverSpend(100 * COIN, script);
CTransaction txOverSpend;
txOverSpend.vin.push_back(newTxIn);
txOverSpend.vout.push_back(txOutOverSpend);
strError = "";
CheckZerocoinSpendNoDB(txOverSpend, strError);
string str = "Failed to detect overspend. Error Message: " + strError;
BOOST_CHECK_MESSAGE(strError == "Transaction spend more than was redeemed in zerocoins", str);
cout << "checking v2 spend\n";
CMutableTransaction tx;
uint256 txHash = 0;
CTxIn in(txHash, 0);
tx.vin.emplace_back(in);
// Create a New Zerocoin with specific denomination given by pubCoin
PrivateCoin privateCoin_v2(Params().Zerocoin_Params(false), CoinDenomination::ZQ_ONE);
CKey key;
key.SetPrivKey(privateCoin.getPrivKey(), true);
BOOST_CHECK_MESSAGE(key.IsValid(), "Key is not valid");
PublicCoin pubcoin_v2 = privateCoin_v2.getPublicCoin();
//initialize and Accumulator and AccumulatorWitness
Accumulator accumulator_v2(Params().Zerocoin_Params(false), CoinDenomination::ZQ_ONE);
AccumulatorWitness witness_v2(Params().Zerocoin_Params(false), accumulator_v2, pubcoin_v2);
//populate the witness and accumulators - with old v1 params
int64_t nTimeStart = GetTimeMillis();
CValidationState state_v2;
for(int i = 0; i < 5; i++) {
PrivateCoin privTemp(Params().Zerocoin_Params(true), CoinDenomination::ZQ_ONE);
PublicCoin pubTemp = privTemp.getPublicCoin();
accumulator_v2 += pubTemp;
witness_v2 += pubTemp;
}
cout << (GetTimeMillis() - nTimeStart)/5 << "ms per mint\n";
accumulator_v2 += pubcoin_v2;
//Get the checksum of the accumulator we use for the spend and also add it to our checksum map
uint32_t nChecksum_v2 = GetChecksum(accumulator_v2.getValue());
//AddAccumulatorChecksum(nChecksum_v2, accumulator_v2.getValue(), true);
uint256 ptxHash = CBigNum::RandKBitBigum(256).getuint256();
CoinSpend coinSpend_v2(Params().Zerocoin_Params(false), Params().Zerocoin_Params(false), privateCoin_v2, accumulator_v2, nChecksum_v2, witness_v2, ptxHash, SpendType::SPEND);
BOOST_CHECK_MESSAGE(coinSpend_v2.HasValidSerial(Params().Zerocoin_Params(false)), "coinspend_v2 does not have a valid serial");
BOOST_CHECK_MESSAGE(coinSpend_v2.Verify(accumulator_v2), "coinspend_v2 failed to verify");
BOOST_CHECK_MESSAGE(coinSpend_v2.HasValidSignature(), "coinspend_v2 does not have valid signature");
BOOST_CHECK_MESSAGE(coinSpend_v2.getVersion() == 2, "coinspend_v2 version is wrong");
BOOST_CHECK_MESSAGE(coinSpend_v2.getPubKey() == privateCoin_v2.getPubKey(), "pub keys do not match");
}
BOOST_AUTO_TEST_CASE(setup_exceptions_test)
{
CBigNum bnTrustedModulus = 0;
if (!bnTrustedModulus)
bnTrustedModulus.SetDec(zerocoinModulus);
libzerocoin::ZerocoinParams zerocoinParams = libzerocoin::ZerocoinParams(bnTrustedModulus);
cout << "Running check_unitialized parameters,etc for setup exceptions...\n";
CBigNum bnpubcoin;
BOOST_CHECK(bnpubcoin.SetHexBool(rawTxpub1));
// Check Modulus > 1023 Exception
try {
ZerocoinParams ZCParams(bnpubcoin);
BOOST_CHECK_MESSAGE(false, "Didn't catch exception: ZerocoinException: Modulus must be at least 1023 bit");
}
catch (...) {
BOOST_CHECK_MESSAGE(true, "Caught exception: ZerocoinException: Modulus must be at least 1023 bit");
}
// Check Security Level < 80 Exception
try {
ZerocoinParams ZCParams(bnpubcoin,1);
BOOST_CHECK_MESSAGE(false, "Didn't catch exception: Security Level >= 80");
}
catch (...) {
BOOST_CHECK_MESSAGE(true, "Caught exception: ZerocoinException: Security Level >= 80");
}
// Check unitialized params Exception for PublicCoin
try {
zerocoinParams.initialized = false;
PublicCoin pubCoin(&zerocoinParams);
BOOST_CHECK_MESSAGE(false, "Didn't catch exception checking for uninitialized Params");
}
catch (...) {
BOOST_CHECK_MESSAGE(true, "Caught exception checking for initalized Params");
}
// Check unitialized params Exception for PublicCoin (alternate constructor)
try {
zerocoinParams.initialized = false;
PublicCoin pubCoin(&zerocoinParams);
BOOST_CHECK_MESSAGE(false, "Didn't catch exception checking for uninitialized Params");
}
catch (...) {
BOOST_CHECK_MESSAGE(true, "Caught exception checking for initalized Params");
}
// Check unitialized params Exception for PrivateCoin
try {
zerocoinParams.initialized = false;
PrivateCoin privCoin(&zerocoinParams, CoinDenomination::ZQ_ONE);
BOOST_CHECK_MESSAGE(false, "Didn't catch exception checking for uninitialized Params");
}
catch (...) {
BOOST_CHECK_MESSAGE(true, "Caught exception checking for initalized Params");
}
}
BOOST_AUTO_TEST_CASE(checksum_tests)
{
cout << "Running checksum_tests\n";
uint256 checksum;
uint32_t c1 = 0xa3219ef1;
uint32_t c2 = 0xabcdef00;
uint32_t c3 = 0x101029f3;
uint32_t c4 = 0xaaaaaeee;
uint32_t c5 = 0xffffffff;
uint32_t c6 = 0xbbbbbbbb;
uint32_t c7 = 0x11111111;
uint32_t c8 = 0xeeeeeeee;
vector<uint32_t> vChecksums {c1,c2,c3,c4,c5,c6,c7,c8};
for(uint32_t c : vChecksums)
checksum = checksum << 32 | c;
BOOST_CHECK_MESSAGE(checksum == uint256("a3219ef1abcdef00101029f3aaaaaeeeffffffffbbbbbbbb11111111eeeeeeee"), "checksum not properly concatenated");
int i = 0;
for (auto& denom : zerocoinDenomList){
uint32_t checksumParsed = ParseChecksum(checksum, denom);
BOOST_CHECK_MESSAGE(checksumParsed == vChecksums[i], "checksum parse failed");
i++;
}
}
string strHexModulus = "0xc7970ceedcc3b0754490201a7aa613cd73911081c790f5f1a8726f463550bb5b7ff0db8e1ea1189ec72f93d1650011bd721aeeacc2acde32a04107f0648c2813a31f5b0b7765ff8b44b4b6ffc93384b646eb09c7cf5e8592d40ea33c80039f35b4f14a04b51f7bfd781be4d1673164ba8eb991c2c4d730bbbe35f592bdef524af7e8daefd26c66fc02c479af89d64d373f442709439de66ceb955f3ea37d5159f6135809f85334b5cb1813addc80cd05609f10ac6a95ad65872c909525bdad32bc729592642920f24c61dc5b3c3b7923e56b16a4d9d373d8721f24a3fc0f1b3131f55615172866bccc30f95054c824e733a5eb6817f7bc16399d48c6361cc7e5";
BOOST_AUTO_TEST_CASE(bignum_setdecimal)
{
CBigNum bnDec;
bnDec.SetDec(zerocoinModulus);
CBigNum bnHex;
bnHex.SetHex(strHexModulus);
BOOST_CHECK_MESSAGE(bnDec == bnHex, "CBigNum.SetDec() does not work correctly");
}
BOOST_AUTO_TEST_CASE(test_checkpoints)
{
BOOST_CHECK_MESSAGE(AccumulatorCheckpoints::LoadCheckpoints("main"), "failed to load checkpoints");
BOOST_CHECK_MESSAGE(AccumulatorCheckpoints::mapCheckpoints.at(1050020)
.at(libzerocoin::CoinDenomination::ZQ_FIVE_THOUSAND)
.GetHex() == "fad7cf992b67792695619224fbbe311c6e60bf80d5bc1680fd9e32b5b3f00f373c9305c72c82bfaf1ce56adb617dc71bb8ddaf61326858ae4b01c3acf443bc7d22d4d2c77704b44fbe4f4fd260f13e0e12e82c531c390e72770e1d444e0877844d35a76c1e45072ddf02e101cf9c0a05a125f19ac5205ee1216732f4040cc3e8a68528685f2f39325efb2b7ba4d681fe13aaabb80ef07d8de8ef883a07e0a4f9771e8c370924fe4959de3c2a6e6e7ad74b12dd7e666765d7d660febe4d4cab3f49cb33cb51e44f756eef609184d8eeeb1c4dfe13b123251166c877d8e992f60cefd568644918c3617aec4d5564a9fe008540add903b9739973838d667721f8d", "does not match");
}
BOOST_AUTO_TEST_CASE(deterministic_tests)
{
SelectParams(CBaseChainParams::UNITTEST);
cout << "Testing deterministic minting\n";
uint256 seedMaster("3a1947364362e2e7c073b386869c89c905c0cf462448ffd6c2021bd03ce689f6");
string strWalletFile = "unittestwallet.dat";
CWalletDB walletdb(strWalletFile, "cr+");
CWallet wallet(strWalletFile);
CzEXORWallet zWallet(wallet.strWalletFile);
zWallet.SetMasterSeed(seedMaster);
wallet.setZWallet(&zWallet);
int64_t nTimeStart = GetTimeMillis();
CoinDenomination denom = CoinDenomination::ZQ_FIFTY;
std::vector<PrivateCoin> vCoins;
int nTests = 50;
for (int i = 0; i < nTests; i++) {
PrivateCoin coin(Params().Zerocoin_Params(false), denom, false);
CDeterministicMint dMint;
zWallet.GenerateDeterministicZEXOR(denom, coin, dMint);
vCoins.emplace_back(coin);
}
int64_t nTotalTime = GetTimeMillis() - nTimeStart;
cout << "Total time:" << nTotalTime << "ms. Per Deterministic Mint:" << (nTotalTime/nTests) << "ms" << endl;
cout << "Checking that mints are valid" << endl;
CDataStream ss(SER_GETHASH, 0);
for (PrivateCoin& coin : vCoins) {
BOOST_CHECK_MESSAGE(coin.IsValid(), "Generated Mint is not valid");
ss << coin.getPublicCoin().getValue();
}
cout << "Checking that mints are deterministic: sha256 checksum=";
uint256 hash = Hash(ss.begin(), ss.end());
cout << hash.GetHex() << endl;
BOOST_CHECK_MESSAGE(hash == uint256("c90c225f2cbdee5ef053b1f9f70053dd83724c58126d0e1b8425b88091d1f73f"), "minting determinism isn't as expected");
}
BOOST_AUTO_TEST_SUITE_END()
| [
"joeuhren@protonmail.com"
] | joeuhren@protonmail.com |
02385553895e1e2f98e67e987d5b4c8e78aaca12 | 335e56925e49716c7b7766f2bbca71590e0c77a8 | /hdoj/ACM_Steps/chapter3/section1/母牛的故事.cpp | 8e94c12e4642fecba7f8ae1a5f3e25b7f633a076 | [] | no_license | suzumiyayuhi/AlgorithmTraining | 388b9bfd5aed5d76a20c71ad03b69a5269d2e7a7 | 1af9584fde2ec209429e6b85c5e0381685733c16 | refs/heads/master | 2021-01-18T17:54:03.491535 | 2018-01-20T10:57:12 | 2018-01-20T10:57:12 | 86,822,395 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 259 | cpp | #include<iostream>
using namespace std;
long long res[55];
void table()
{
res[1]=1;
res[2]=2;
res[3]=3;
res[4]=4;
for(int i=5;i!=55;++i)
{
res[i]=res[i-1]+res[i-3];
}
}
int main()
{
table();
int n;
while(cin>>n,n)
{
cout<<res[n]<<endl;
}
}
| [
"923051761@qq.com"
] | 923051761@qq.com |
b74aad333a855cc4d28140dc7221d5c5a6c35ab5 | 57c3dbaaa2e7b463f33f8d5e85f22b91b9bc380a | /Capitolo 18/main.cpp | da3c821a0a3818c2955a8425f27821ca389c5ebd | [] | no_license | beinnova/cpp-exercise | 066a1512f6a0bd3577fa297135fb7004c4a2e83d | fab6a03d35088f9d0fd8995ed3c0f42b7be166e3 | refs/heads/master | 2020-04-14T12:41:11.778505 | 2014-09-13T14:41:13 | 2014-09-13T14:41:13 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 495 | cpp | /*
* Esercizio 18.1 - gestire operazioni tra frazioni
*/
#include <iostream>
#include "ese-18.1.cpp"
using namespace std;
int main() {
frazione fraz_1("1/2");
frazione fraz_2("2/2");
frazione fraz_tot = fraz_1 + fraz_2;
std::cout << "La somma tra " << fraz_1 << " e " << fraz_2 << " è " << fraz_tot << std::endl;
fraz_1.set("2/3");
fraz_2.set("1/2");
std::cout << "La somma tra " << fraz_1 << " e " << fraz_2 << " é " << (fraz_1 + fraz_2) << std::endl;
} | [
"giorgio.cerruti@beinnova.it"
] | giorgio.cerruti@beinnova.it |
f03b8a7a79aae37620c6c8c1c6287d5361b8a402 | 6c7d4c1462cb0d8d57ab6f11a4c67163a73de2ba | /structural_binding/reference_semantics_03.cpp | f626c8ddf1f85d44b7552c6960bb6ccf2b829b38 | [] | no_license | yucelalbar/cpp-kursu-kodlar | 2bd4d78fa903f48a294d9d05bafecebcacaf2737 | ecc559c6adea33e3d8b6f6067b2bb410d2bf4e51 | refs/heads/main | 2023-01-01T15:07:27.395448 | 2020-10-23T13:54:08 | 2020-10-23T13:54:08 | 307,342,679 | 3 | 0 | null | 2020-10-26T10:57:05 | 2020-10-26T10:57:04 | null | UTF-8 | C++ | false | false | 188 | cpp | #include <array>
#include <iostream>
int main()
{
std::array<int, 4> ar{ 10, 20, 30, 40 };
auto& [x, y, z, t] = ar;
++x, ++y, ++z, ++t;
for (auto i : ar)
std::cout << i << " ";
}
| [
"noreply@github.com"
] | noreply@github.com |
534b4a5b908feab4f9b399d38d3eb6be86f8fa93 | bf225315ae1d6c960fd03c6fb28671f64c043a65 | /Graph/GR62 p11631.cpp | f370ecfbdbfc206cd4f8368aee22f4cb0b9b0e7a | [] | no_license | vishal-keshav/UVa | 5fa3f4ba4f5ed6e2569e40875267a982f601a16c | 6b78fc4edd3db57fc84d7fc6979e01907092fa8b | refs/heads/master | 2021-09-08T00:05:20.428138 | 2018-03-03T18:03:56 | 2018-03-03T18:03:56 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,492 | cpp | #include <iostream>
#include <stdio.h>
#include <algorithm>
#include <vector>
#include <utility>
using namespace std;
long long int m,n;
struct edge{
pair<long long int, long long int> e;
long long int w;
};
vector<struct edge> edges;
vector<long long int> union_set;
void init_uf(void){
union_set.clear();
union_set.resize(m);
for(long long int i=0;i<m;i++){
union_set[i] = i;
}
}
int find_set(long long int n){
if(n==union_set[n]){
return n;
}
else{
union_set[n] = find_set(union_set[n]);
return union_set[n];
}
}
bool is_sameset(long long int i, long long int j){
return (find_set(i)==find_set(j));
}
void make_union(long long int n1, long long int n2){
if(!is_sameset(n1,n2)){
union_set[find_set(n1)] = find_set(n2);
}
}
long long int mst(void){
long long int ret = 0;
auto sort_func = [](struct edge e1, struct edge e2) -> bool{
return (e1.w < e2.w);
};
sort(edges.begin(), edges.end(), sort_func);
init_uf();
for(long long int i=0;i<n;i++){
if(!is_sameset(edges[i].e.first, edges[i].e.second)){
make_union(edges[i].e.first, edges[i].e.second);
ret+=edges[i].w;
}
}
return ret;
}
int main(){
//freopen("output.txt","w",stdout);
struct edge temp;
long long int total;
cin >> m >> n;
while(m+n){
total = 0;
edges.clear();
for(long long int i=0;i<n;i++){
cin >> temp.e.first >> temp.e.second >> temp.w;
edges.push_back(temp);
total+=temp.w;
}
cout << (total-mst()) <<endl;
cin >> m >> n;
}
return 0;
}
| [
"bulletcross@gmail.com"
] | bulletcross@gmail.com |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.